重载运算符和链接

2022-02-27 00:00:00 operator-overloading c++

我有一个类,它具有存储动态2D数组的对象"Matrix"。我正在尝试重载"="运算符,以便可以将一个矩阵复制到另一个矩阵。

以下工作方式:

Square_Matrix a,b,c;
a = b;

但是,这不起作用:

a = b = c;
^它给出以下错误:1)运算符=不匹配(操作数类型为‘Square_Matrix’和‘void’).2)参数%1从"void"到"Const Square_Matrix"的转换未知

如何修复此问题?

//header file
void operator=(const Square_Matrix& Par2);

//.cpp file
void Square_Matrix::operator=(const Square_Matrix& Par2){
    if (size != Par2.size){
        cout << "Matrices are of different size" << endl;
    } else {
        for (int i = 0; i < N; i++){
            for (int j = 0; j < N; j++){
                 matrix[i][j] = Par2.matrix[i][j];
            }
        }
    }
}

解决方案

您需要返回对分配的对象的引用。

Square_Matrix& Square_Matrix::operator=(const Square_Matrix& Par2){
    // do stuff
    return *this;
}

相关文章