如何正确重载"="运算符以使用重载"[ ]"运算符的数组?

How do I properly overload the '=' operator to work with an array that is overloading the '[ ]' operator?

本文关键字:运算符 重载 数组 何正确      更新时间:2023-10-16

我必须编写一个类IntArray,它本质上是一个具有一些额外功能的数组(未显示)。我必须利用运算符重载将元素分配给IntArray对象中的整数数组。我的程序正确地检索数组中的元素,但无法分配数组中的元件。

#include <iostream>
using namespace std;
class IntArray{
    int *data;
    int SIZE;
    int startIndex;
    int endIndex;
public:
    IntArray(int endI);
    int operator[](int index);
    void operator=(int i);
};
IntArray::IntArray(int endI){
    SIZE = endI;
    data = new int[SIZE];
    endIndex = endI - 1;
    startIndex = 0;
}
int IntArray::operator[](int index){
    if(index > endIndex){
        cout << "Error: Index out of bounds" << endl;
        exit(0);
    }
    return data[index];
}
void IntArray::operator=(int i){
    data[0] = i;
}

我认为问题在于这个功能:

void IntArray::operator=(int i);

这是我的主要方法:

int main(){
    IntArray a(0,1);
    cout << a[0] << endl; //works fine
    a[0] = 3; //does not work
}

我也不知道如何从运算符=(int I)函数访问数组索引(main()第3行的"0")。谢谢你的帮助!

a[0]=3//不起作用

这与operator=重载无关。问题出在int operator[](int index);

operator[]重载返回一个int,因此a[0]返回一个右值,并且不能分配给右值。

解决方案是:

int& operator[](int index);

通过这种方式,operator[]返回一个引用(int&),它是一个左值,您可以为它赋值。