本帖最后由 Croper 于 2019-5-7 21:55 编辑
另外,正好我也写过矩阵类,分享一下,
我直接使用的模板管理长宽,内部就是个二维数组,这样就不需要复制构造函数和析构函数了//Matrix.h
//矩阵类的实现
//Created by Croper,lasted modifered at Apr.13.2019
#ifndef _MATRIX_H_
#define _MATRIX_H_
#include <initializer_list>
#include <iostream>
template <int _cy, int _cx> class Matrix {
int _data[_cy][_cx];
public:
///////////////////////////////////////////////////////////////////////////
// 函数声明
///////////////////////////////////////////////////////////////////////////
//--------------------------构造函数----------------------------
//默认构造函数;
Matrix();
//使用初始化列表进行构造,直接一行一行输入,行间不需要使用分隔符;
Matrix(const std::initializer_list<int>&);
//复制构造函数
Matrix(const Matrix&) = default;
//-------------------==----运算符重载--------------------------
// 重载下标运算,以实现矩阵的双下标(a[i][j])写法
int* operator[](int rowindex);
//const版本
const int* operator[](int rowindex) const;
//重载*运算,实现矩阵乘法
template <int _cz> Matrix<_cy, _cz> operator*(const Matrix<_cx, _cz>& m2);
//-------------------------其他函数------------------------------
// 矩阵的转置
Matrix<_cx, _cy> turn();
// 于控制台打印自身
void print();
};
///////////////////////////////////////////////////////////////////////////
// 函数实现
///////////////////////////////////////////////////////////////////////////
//默认构造函数;
template<int _cy, int _cx>
inline Matrix<_cy, _cx>::Matrix() {
memset(_data, 0, sizeof(_data));
}
//使用初始化列表进行构造,直接一行一行输入,行间不需要使用分隔符;
template<int _cy, int _cx>
inline Matrix<_cy, _cx>::Matrix(const std::initializer_list<int>& list) :Matrix() {
int *p = (int*)_data;
for (auto it = list.begin(); it != list.end(); ++it, ++p) {
*p = *it;
}
}
// 重载下标运算,以实现矩阵的双下标(a[i][j])写法
template<int _cy, int _cx>
inline int* Matrix<_cy, _cx>::operator[](int rowindex) {
return _data[rowindex];
}
//const版本
template<int _cy, int _cx>
inline const int* Matrix<_cy, _cx>::operator[](int rowindex) const {
return const_cast<Matrix*>(this)->operator[](rowindex);
}
//重载*运算,实现矩阵乘法
template<int _cy, int _cx>
template <int _cz>
Matrix<_cy, _cz> Matrix<_cy, _cx>::operator*(const Matrix<_cx, _cz>& m2) {
Matrix<_cy, _cz> ret;
for (int y = 0; y < _cy; ++y) for (int z = 0; z < _cz; ++z) {
for (int x = 0; x < _cx; ++x) {
ret[y][z] += _data[y][x] * m2[x][z];
}
}
return ret;
}
// 矩阵的转置
template<int _cy, int _cx>
Matrix<_cx, _cy> Matrix<_cy, _cx>::turn() {
Matrix<_cx, _cy> ret;
for (int i = 0; i < _cx; ++i) {
for (int j = 0; j < _cy; ++j) {
ret[i][j] = _data[j][i];
}
}
return ret;
}
// 打印自身
template<int _cy, int _cx>
void Matrix<_cy, _cx>::print() {
std::cout << std::endl;
for (int y = 0; y < _cy; ++y) {
for (int x = 0; x < _cx; ++x) {
std::cout << '\t' << _data[y][x];
}
std::cout << std::endl;
}
}
#endif
|