【发布时间】:2021-08-31 04:58:03
【问题描述】:
我开设了Vector<numType, numberOfCoords> 课程。我对此很满意,这有点奇怪,但它似乎在一开始就奏效了。但是我发现复制向量是不可能的。
原因是为了让坐标数成为模板,有一个模板化的可变参数构造函数,它需要正确的坐标数。
这就是它的样子,去掉了实用数学方法:
template <typename NumType, unsigned char Size>
class Vector
{
public:
using CoordType = NumType;
//Vector(const Vector& v) : values(v.values) {}
//Vector(Vector&& v) : values(std::move(v.values)) {}
template<typename... NumTypes>
constexpr Vector(NumTypes&&... vals) : values{ std::forward<NumTypes>(vals)... }
{
static_assert(sizeof...(NumTypes) == Size, "You must provide N arguments.");
}
Vector(const std::array<NumType, Size>& values) : values(values) {}
Vector(std::array<NumType, Size>&& values) : values(std::move(values)) {}
const NumType& operator[](size_t offset) const { return values[offset]; }
NumType& operator[](size_t offset) { return values[offset]; }
//Vector& operator=(const Vector& other) { values = other.values; }
//Vector& operator=(Vector&& other) { values = std::move(other.values); }
std::array<NumType, Size> values;
};
如您所见 - 现在已注释掉 - 我确实尝试手动实现复制、移动和分配操作。它没有效果,错误总是沿着:
cannot convert ‘Vector<int, 3>’ to ‘int’ in initialization
这是因为它仍在尝试使用可变参数构造函数,而不是复制构造函数。
这是一个完整的工作示例:https://ideone.com/Jz86vP
【问题讨论】:
标签: c++ templates c++14 variadic-templates