首页 > 解决方案 > 当我将两个矩阵相减时,C++ 中的重载运算符 (<<) cout 不起作用

问题描述

我正在尝试减去两个矩阵并以这种格式打印它们 cout << (mat1 - mat2 ) << endl ; 但是 cout 不工作,当我打印一个矩阵时它工作,这是我不认为我应该为此创建另一个 cout 运算符的代码

#include <iostream>
#include <iomanip>
      using namespace std;

         struct matrix {
            int** data;
             int row, col;
          };

      void createMatrix (int row, int col, int num[], matrix& mat) {
           mat.row = row;
           mat.col = col;
           mat.data = new int* [row];

          for (int i = 0; i < row; i++)
               mat.data[i] = new int [col];

          for (int i = 0; i < row; i++){
              for (int j = 0; j < col; j++){
                  mat.data[i][j] = num[i * col + j];
          } ;


 ostream& operator<< (ostream& out  , matrix&  mat ) {

    for (int i =0 ; i< mat.row ; i++) {
        for (int j =0 ; j < mat.col ; j++) {
             out << mat.data [i] [j] << " " ;
        }
        cout << endl ;
       }
    return out ;
};

这是减法的功能

      matrix operator-  (matrix mat1, matrix mat2) {
             matrix  mattt  ;
           if (mat1.row == mat2.row && mat1.col == mat2.col) {

               for (int i =0 ; i< mat1.row ; i++) {
                     for (int j =0 ; j < mat1.col ; j++) {
                     mattt.data[i][j] = ((mat1.data [i][j]) - (mat2.data [i][j]))  ;
               }
        }
   }

      else {
      cout  << " the matrixs dont have the same dimensions " << endl ;
 }
    return mattt ;

 };


   int main()  {
     int data1 [] = {1,2,3,4,5,6,7,8};
      int data2 [] = {13,233,3,4,5,6};
      int data3 [] = {10,100,10,100,10,100,10,100};

    matrix mat1, mat2, mat3;
    createMatrix (4, 2, data1, mat1);
    createMatrix (2, 3, data2, mat2);
    createMatrix (4, 2, data3, mat3);

     cout << mat1 << endl;
     cout << mat2 << endl;
     cout << mat3 << endl;

     cout << ( mat3 - mat1 ) << endl ;
   };

标签: c++matrix

解决方案


重载运算符的函数参数列表<<需要更改为

 ostream& operator<< (ostream& out, const matrix& mat)

请注意const.

否则匿名临时 (mat3 - mat1)不能绑定到重载。


推荐阅读