2
void add(sparseMatrix<T> &b, sparseMatrix<T> &c); // c is output

sparseMatrix<T> operator+(sparseMatrix<T> &b);

我正在创建一个稀疏矩阵,它由矩阵项的单链表组成的arrayList(矩阵项包含行、列和值)。我在重载 + 运算符时遇到问题。我有一个 add 方法可以正常工作,但是当我尝试使用它来重载 + 运算符时,我收到以下错误:

sparseMatrix.cpp: In function ‘int main()’:
sparseMatrix.cpp:268: error: no match for ‘operator=’ in ‘c = sparseMatrix<T>::operator+(sparseMatrix<T>&) [with T = int](((sparseMatrix<int>&)(& b)))’
sparseMatrix.cpp:174: note: candidates are: sparseMatrix<T>& sparseMatrix<T>::operator=(sparseMatrix<T>&) [with T = int]
make: *** [sparseMatrix] Error 1

这是我对重载 + 运算符的实现:

sparseMatrix<T> sparseMatrix<T>::operator+(sparseMatrix<T> &b) 
{
        sparseMatrix<T> c;

 add(b, c);
 return c;

}

main 中给出错误的行是 c = a + b (a、b、c 都是稀疏矩阵)。请注意,如果我执行 a.add(b,c) 一切正常。我还重载了 = 运算符,该运算符在我执行 a = b 等操作时起作用,但它似乎在我发布的错误消息中抱怨它。我真的不确定问题是什么。有任何想法吗?

4

2 回答 2

7

注意:候选人是:sparseMatrix& sparseMatrix::operator=(sparseMatrix&)

operator=应该使用const参考。

如果引用不是 const,则它不能绑定到临时,因此赋值运算符不能用于由a + b.

(对于 也是如此operator+,这里的参数也应该是const sparseMatrix<T> &。此外,这个方法应该被声明为 const,因为它不会修改它被调用的对象。)

于 2010-10-02T13:15:38.413 回答
0

某事:已正确诊断问题:

但我会让你的运营商更标准。

class sparseMatrix
{
   sparseMatrix(sparseMatrix const& copy);
   sparseMatrix& operator=(sparseMatrix const& copy);

   sparseMatrix& add(sparseMatrix const& value) // Add value to the current matrix
   {
       // Do Work.
       return *this;
   }

   // Re-use add to implement the += operator.
   sparseMatrix& operator+=(sparseMatrix const& rhs)
   {
       return add(rhs);
   }

   // Two things here:
   //
   // Implement the operator + in terms of the operator +=
   //
   // This basically means that you make a copy of one parameter then add the other
   // value two it. Because + is symmetric it does not matter which you copy and which
   // you add to the copy.
   //
   // So we pass the parameter by value this will provide an implicit copy
   // generated by the compiler. This will also help the compiler with NRVO
   // Then we just add (*this) to the copy of the rhs.
   sparseMatrix operator+(sparseMatrix rhs)
   {
       return rhs += *this; 
   }
}
于 2010-10-02T15:14:30.230 回答