要将C++矩阵类与其他数据结构结合使用,首先需要创建一个矩阵类,定义一些基本操作(如初始化、访问元素、矩阵运算等)
#include<iostream>
#include<vector>
class Matrix {
public:
// 构造函数
Matrix(int rows, int cols) : rows_(rows), cols_(cols), data_(rows * cols) {}
// 获取矩阵的行数
int rows() const { return rows_; }
// 获取矩阵的列数
int cols() const { return cols_; }
// 访问矩阵中的元素
double& operator()(int row, int col) {
return data_[row * cols_ + col];
}
// 访问矩阵中的元素(常量版本)
double operator()(int row, int col) const {
return data_[row * cols_ + col];
}
private:
int rows_;
int cols_;
std::vector<double> data_;
};
Matrix multiply_matrices(const Matrix& A, const Matrix& B) {
if (A.cols() != B.rows()) {
throw std::invalid_argument("矩阵尺寸不匹配,无法相乘");
}
Matrix result(A.rows(), B.cols());
for (int i = 0; i < A.rows(); ++i) {
for (int j = 0; j < B.cols(); ++j) {
for (int k = 0; k < A.cols(); ++k) {
result(i, j) += A(i, k) * B(k, j);
}
}
}
return result;
}
int main() {
Matrix A(2, 3);
Matrix B(3, 2);
// 初始化矩阵 A 和 B 的元素
for (int i = 0; i < A.rows(); ++i) {
for (int j = 0; j < A.cols(); ++j) {
A(i, j) = i * j;
}
}
for (int i = 0; i < B.rows(); ++i) {
for (int j = 0; j < B.cols(); ++j) {
B(i, j) = i + j;
}
}
// 计算矩阵乘积
Matrix C = multiply_matrices(A, B);
// 输出结果
for (int i = 0; i < C.rows(); ++i) {
for (int j = 0; j < C.cols(); ++j) {
std::cout << C(i, j) << " ";
}
std::cout<< std::endl;
}
return 0;
}
这个示例展示了如何创建一个简单的矩阵类,并将其与其他数据结构(如向量)结合使用。你可以根据需要扩展这个矩阵类,添加更多功能和操作。