定义一个矩阵类MyMatrix,并且在类中进行运算符重定义,用*实现矩阵相乘。要求必须对运算符进行重载
时间: 2024-03-07 13:47:38 浏览: 95
好的,以下是一个实现了矩阵类MyMatrix的示例代码,其中重载了*运算符来实现矩阵相乘:
```c++
#include <iostream>
#include <vector>
using namespace std;
class MyMatrix {
private:
vector<vector<double>> matrix;
int row, col;
public:
MyMatrix(int r, int c) : row(r), col(c) {
matrix.resize(row, vector<double>(col));
}
void set(int r, int c, double val) {
matrix[r][c] = val;
}
double get(int r, int c) const {
return matrix[r][c];
}
MyMatrix operator*(const MyMatrix& other) const {
if (col != other.row) {
throw "Invalid operation: matrices cannot multiply each other.";
}
MyMatrix result(row, other.col);
for (int i = 0; i < row; i++) {
for (int j = 0; j < other.col; j++) {
double sum = 0;
for (int k = 0; k < col; k++) {
sum += matrix[i][k] * other.matrix[k][j];
}
result.set(i, j, sum);
}
}
return result;
}
};
int main() {
MyMatrix A(2, 3), B(3, 2);
A.set(0, 0, 1); A.set(0, 1, 2); A.set(0, 2, 3);
A.set(1, 0, 4); A.set(1, 1, 5); A.set(1, 2, 6);
B.set(0, 0, 7); B.set(0, 1, 8);
B.set(1, 0, 9); B.set(1, 1, 10);
B.set(2, 0, 11); B.set(2, 1, 12);
MyMatrix C = A * B;
for (int i = 0; i < C.row; i++) {
for (int j = 0; j < C.col; j++) {
cout << C.get(i, j) << " ";
}
cout << endl;
}
return 0;
}
```
在上面的代码中,我们定义了一个矩阵类MyMatrix,其中包含一个二维vector作为矩阵数据,以及矩阵的行和列数。我们通过构造函数来初始化矩阵的行和列数,并通过set方法来设置矩阵的元素值,通过get方法来获取矩阵的元素值。
在类中重载了*运算符,实现了矩阵相乘的功能。在运算符重载中,我们首先判断两个矩阵是否可以相乘,如果不能相乘则抛出一个异常。如果可以相乘,则创建一个新的矩阵对象作为结果矩阵,并遍历矩阵的每个元素进行相乘和累加操作,最后返回结果矩阵。
在主函数中,我们创建了两个矩阵A和B,并将它们相乘得到了结果矩阵C。最后,我们遍历输出了矩阵C的数据。
阅读全文