在C ++中重载操作符给我一个错误

时间:2012-11-27 17:23:29

标签: c++ overloading operator-keyword

当我尝试在main.cpp中使用这一行时:

m3.array = m1.array+m2.array;

其中m3,m1和m2都是类类型Matrix的对象,带有int [3] [3]数组 - 我不断得到一个错误,它处理int [3] [3]和int [3] [3]类型与opperand'+'的不兼容赋值。我不知道确切的错误,因为我不是在计算机上编译程序。

这是我有的matrix.cpp:

#include <iostream>
#include <string>
#include "matrix.h"

using namespace std;

Matrix::Matrix()
{
    m1.array = 0;
}

istream& opeator >>(istream& inp, Matrix& m1)
{
         int i, j;

         for (i = 0; i < 3;i++)
         {
             for (j=0; j < 3;j++)
             {
                 inp >> m1.array[i][j];
             }
         }
         return inp;
}
ostream& operator <<(istream& outp, Matrix& m1)
{
         int i, j;
         for (i = 0;i<3;i++)
         {
             for (j = 0;j<3;j++)
             {
                 out<<m1.array[i][j]<<" "<<endl;
             }
         }
         return outp;
}

Matrix operator + (const Matrix& m1, const Matrix& m2)
{
        Matrix answer;
        int i,j;
        for (i = 0;i<3;i++)
        {
            for (j = 0;j<3;j++)
            {
                answer.array[i][j] = m1.array[i][j] + m2.array[i][j];
            }
        }
        return answer;
}

Matrix operator - (const Matrix& m1, const Matrix& m2)
{
        Matrix answer;
        int i, j;
        for (i = 0;i<3;i++)
        {
            for (j = 0;j<3;j++)
            {
                answer.array[i][j] = m1.array[i][j] - m2.array[i][j];
            }
        }
        return answer;
}

Matrix operator * (const Matrix& m1, const matrix& m2)
{
       Matrix answer;
       int i, j, k;
       for (i = 0;i<3;i++)
       {
           for (j = 0; j<3;j++)
           {
               for (k = 0; k<3;k++)
               {
                   answer.array[i][j] = m1.array[i][k] + m2.array[k][j];
               }
           }
       }
       return answer;
}

和matrix.h:

#ifndef MATRIX_H
#define MATRIX_H

using namespace std;

class Matrix
{
      public:
             Matrix();
             friend istream& operator >>(istream&, Matrix&);
             friend ostream& operator <<(ostream&, const Matrix&);
             friend Matrix& operator +(const Matrix&, const Matrix&);
             friend Matrix& operator -(const Matrix&, const Matrix&);
             friend Matrix& operator *(const Matrix&, const Matrix&);
             int array[3][3];

};




#endif

2 个答案:

答案 0 :(得分:3)

Matrix operator + (const Matrix& m1, const Matrix& m2)

这告诉计算机如何添加两个Matrix个对象,干得好。

m3.array = m1.array+m2.array;

m1m2Matrix个对象,但m1.array不是。 int[3][3]个对象。幸运的是,修复非常简单:

m3 = m1 + m2;

答案 1 :(得分:1)

成员array的类型为int[3][3]。您正在尝试添加这两个在C ++中没有意义的多维数组。

我认为你真正想要的是:

m3 = m1 + m2;

会调用你的重载运算符。

其他可疑的是您的朋友声明和您的实际定义不匹配。返回类型不同。