所以我有一个看起来有点像这样的矢量类(大多数方法为了清晰起见而被剥离):
class D3Vector {
private:
double _values[3];
public:
const double& operator[](const int index) const;
double& operator[](const int index);
};
double& D3Vector::operator[](const int index) {
assert(index >= 0 && index < 3);
return _values[index];
}
const double& D3Vector::operator[](const int index) const {
assert(index >= 0 && index < 3);
return _values[index];
}
在我的代码中的某个时刻,我将这个数组下标重载调用如下:
void func(D3Vector centre, double radius) {
double limits[6];
int i;
for (i = 0; i < 3; i++) {
// both these lines cause the error...
limits[i] = centre[i] - radius;
limits[i + 3] = centre[i] + radius;
}
...
}
但是我在编译时遇到了这个错误:
error: invalid types '<unresolved overloaded function type>[int]' for array subscript
现在,我已经摆弄了重载函数的签名,添加和删除了引用符号,添加和删除const,但我真的只是在这里猜测。
为这样的实数编写一个向量类的数组下标运算符重载的合理方法是什么,它允许我们做一些简单的事情,如:
instance[i] = 5.7;
和
new_value = instance[j] + 17.3;
编辑:完整的课程规范,按要求:
class D3Vector {
private:
double _values[3];
public:
// constructors - no args inits to 0.0
D3Vector();
D3Vector(const double x, const double y, const double z);
// binary + and -:
D3Vector operator+(const D3Vector& right);
D3Vector operator-(const D3Vector& right);
// unary -, reverses sign of components:
D3Vector operator-();
// binary *, scales components.
D3Vector operator*(const double scale);
// the same, as self-assignment operations:
D3Vector& operator+=(const D3Vector& right);
D3Vector& operator-=(const D3Vector& right);
D3Vector& operator*=(const double scale);
// subscript operator, for member data access.
const double& operator[](const int index) const;
double& operator[](const int index);
// dot product:
double dot(D3Vector& right);
// cross product:
D3Vector cross(D3Vector& right);
// shortcut to vector length:
double mod();
// faster way of getting length squared:
double mod_squared();
};
答案 0 :(得分:7)
正如评论者指出的那样,当您尝试使用括号[]
而不是括号()
调用函数时,会弹出此错误。这正是这里发生的事情,并不是很明显,因为我简化了代码示例。
在这个问题中,我发布了一个名为func
的示例函数 - 这实际上是一个继承类的构造函数(因此,而不是发布所有代码,我简化了。)
基类包含我们需要知道的所有内容:
class D3Shape {
protected:
double l[6];
virtual void initilise_limits() = 0;
public:
virtual bool contains(D3Vector point) = 0;
vector<double> limits();
};
即。我混淆了l
,私有成员变量存储了我正在寻找的double[6]
,limits()
是一个在std::vector<double>
容器中检索它们的函数。这是因为我(成功)在同一行上使用我的实际数组下标重载类这一事实使我感到困惑!文件中的编译器错误“列号”实际上指向 =
之后的第一个字符,进一步混淆了水域。
非常感谢所有发表评论的人。