我正在学习C ++课程,并希望构建自己的类而不是使用2D矢量“typedef vector<vector<T>> C_type
”。我写了一些代码:
class T {
public:
int a;
int b;
T(int a, int b) : a(a), b(b){}
};
我现在有:
typedef vector<vector<T>> C_type;
我想使用一个类来创建一个构造函数并初始化它,如:
class C_type {
vector<vector<T>> name;
C_type();}
C_type::C_type(){name = vector<vector<T>>(..........
我想将2D矢量用作类成员。谢谢。
这是一个简单的开始:
#include <iostream>
#include <vector>
template<typename T>
class C_type {
public:
C_type(int rows, int cols) : _vec(std::vector<std::vector<T>>(rows, std::vector<T>(cols))) {}
C_type() : C_type(0, 0) {}
T get(int row, int col) { return this->_vec.at(row).at(col); }
void set(int row, int col, T value) { this->_vec.at(row).at(col) = value; }
size_t rows() { return this->_vec.size(); }
size_t cols() { return this->_vec.front().size(); }
private:
std::vector<std::vector<T>> _vec;
};
int main() {
C_type<int> c(2, 2);
for ( unsigned i = 0; i < c.rows(); ++i ) {
for ( unsigned j = 0; j < c.cols(); ++j ) {
c.set(i, j, i + j);
}
}
for ( unsigned i = 0; i < c.rows(); ++i ) {
for ( unsigned j = 0; j < c.cols(); ++j ) {
std::cout << c.get(i, j) << " ";
}
std::cout << "\n";
}
return 0;
}