重载括号运算符作为成员函数

时间:2017-03-11 05:11:09

标签: c++ reference operator-overloading return-type brackets

我正在为Vector3D类型对象创建一个简单的类。以下代码将完美编译和运行。

class Vector3D {
    float x, y, z;
public:
    Vector3D() = default;
    Vector3D(float a, float b, float c) : x(a), y(b), z(c) {};
    float& operator [](int i) {
        return (&x)[i];
    }
    const float& operator [](int i) const {
        return (&x)[i];
    }
}

int main(int argc, char ** argv){
    Vector3D myVec(1,2,3);
    printf("Value of y: %d\n", myVec[1]);
}

然而,当我删除地址操作符(&)时,我收到错误,代码将无效。为什么(&)必要?即:

return (x)[i]; // will not compile "expression must have pointer-to-object type"
return (&x)[i]; // all good here

我也很难理解这是如何运作的。该函数如何返回第i个float,成员变量是否以连续的方式存储在内存中(如数组)?

1 个答案:

答案 0 :(得分:2)

您执行此操作的方式非常棘手,这是未定义的行为

不保证结构成员布局,但大多数时候成员被放置在内存中:

x---y---z--- (4 bytes each)
x[0]
    x[1]
        x[2]

所以这就是你的代码工作的原因(记住这是不是定义的行为)。

您的代码无论如何也不会进行边界检查,因此请考虑:

  1. 将其转换为开关。
  2. 让您的会员成为像float x[3]这样的数组。