要實現(xiàn)行列式的加減運算,你需要重載加法運算符和減法運算符。下面是一個示例代碼:
#include <iostream>
#include <vector>
class Matrix {
private:
int rows;
int cols;
std::vector<std::vector<int>> data;
public:
Matrix(int r, int c) : rows(r), cols(c) {
data.resize(rows, std::vector<int>(cols, 0));
}
void setValue(int r, int c, int value) {
data[r][c] = value;
}
Matrix operator+(const Matrix& other) const {
if (rows != other.rows || cols != other.cols) {
throw std::runtime_error("Matrix dimensions don't match");
}
Matrix result(rows, cols);
for (int i = 0; i < rows; i++) {
for (int j = 0; j < cols; j++) {
result.data[i][j] = data[i][j] + other.data[i][j];
}
}
return result;
}
Matrix operator-(const Matrix& other) const {
if (rows != other.rows || cols != other.cols) {
throw std::runtime_error("Matrix dimensions don't match");
}
Matrix result(rows, cols);
for (int i = 0; i < rows; i++) {
for (int j = 0; j < cols; j++) {
result.data[i][j] = data[i][j] - other.data[i][j];
}
}
return result;
}
void print() const {
for (int i = 0; i < rows; i++) {
for (int j = 0; j < cols; j++) {
std::cout << data[i][j] << " ";
}
std::cout << std::endl;
}
}
};
int main() {
Matrix A(2, 2);
A.setValue(0, 0, 1);
A.setValue(0, 1, 2);
A.setValue(1, 0, 3);
A.setValue(1, 1, 4);
Matrix B(2, 2);
B.setValue(0, 0, 5);
B.setValue(0, 1, 6);
B.setValue(1, 0, 7);
B.setValue(1, 1, 8);
Matrix C = A + B;
C.print();
std::cout << std::endl;
Matrix D = A - B;
D.print();
return 0;
}
在上面的代碼中,我們定義了一個 Matrix 類來表示行列式。在 Matrix 類中,我們重載了加法運算符和減法運算符,使其能夠?qū)蓚€ Matrix 對象進行對應(yīng)元素的加減操作。在重載的加法和減法運算符函數(shù)中,我們首先檢查兩個 Matrix 對象的維度是否相同,如果不相同,則拋出異常。然后,我們創(chuàng)建一個新的 Matrix 對象來存儲結(jié)果,并通過遍歷每個元素,對應(yīng)相加或相減。最后,返回結(jié)果 Matrix 對象。
在主函數(shù)中,我們創(chuàng)建了兩個 Matrix 對象 A 和 B,并分別對其進行賦值。然后,我們使用重載的加法運算符和減法運算符來計算 A + B 和 A - B,并將結(jié)果打印出來。