我正在尝试构建一个具有字符矩阵的游戏。我正在尝试使用向量向量来构建我的矩阵。我的game.h
有这个:
#ifndef GAME_H
#define GAME_H
// includes
using namespace std;
class Game
{
private:
int row;
int col;
vector<vector<char>>* matrix;
// other atributtes
public:
Game();
~Game(){}
// some functions
};
#endif
在我的game.cpp
:
Game::Game()
{
this->col = 20;
this->row = 20;
// Initialize the matrix
this->matrix = new vector<vector<char>>(this->col);
for(int i = 0 ; i < this->col ; i++)
this->matrix[i].resize(this->row, vector<char>(row));
// Set all positions to be white spaces
for(int i = 0 ; i < this->col; i++)
for(int j = 0 ; j < this->row ; j++)
this->matrix[i][j] = ' ';
}
它给了我一个错误:
error: no match for ‘operator=’ (operand types are ‘__gnu_cxx::__alloc_traits<std::allocator<std::vector<char> > >::value_type {aka std::vector<char>}’ and ‘char’)
this->matrix[i][j] = ' ';
^~~
在该行:
this->matrix[i][j] = ' ';
我想知道导致这种情况的原因以及如何在构造函数中将所有内容设置为空格?
答案 0 :(得分:5)
this->matrix
的类型为std::vector<std::vector<char>>*
。
this->matrix[i]
的类型为std::vector<std::vector<char>>
this->matrix[i][j]
的类型为std::vector<char>
。
因此,
this->matrix[i][j] = ' ';
不起作用。
简化您的代码。将matrix
更改为
std::vector<std::vector<char>> matrix; // Remove the pointer
相应地调整您的代码。
答案 1 :(得分:2)
如果我是你,我会这样做:
在games.hpp中:
#ifndef GAME_H
#define GAME_H
// includes
template <class T>
class Game : public std::vector<std::vector<T>>
{
private:
int row;
int col;
public:
Game();
~Game(){}
// some functions
};
#endif
在games.cpp中
template<class T>
Game<T>::Game(int rr=20, int cc=20):
row(rr), col(cc), std::vector<std::vector<T>>(rr, std::vector<T>(cc))
{
//empty body
}
这自然会使您访问元素的方式变得复杂,但可以通过重载operator()来轻松完成,该operator返回对您要访问的位置的引用。注意通过公开继承std :: vector,我们继承了它们的所有运算符和成员函数和变量。因此,我们还继承了std :: vector类中的重载operator []。因此,我们可以通过重载运算符访问任何元素,如下所示:
template<class T>
T& Game<T>::operator()(int rr, int cc){
return this->operator[](rr)[cc];
}
在上面的return语句中,第一部分使用参数rr调用重载的operator [],该参数返回一个向量对象,在这个向量对象上,我们再次通过参数&#39调用重载的operator [] ; CC&#39;作为列索引(就像我们对std :: vector对象[index]所做的那样)
有了这个代码肯定看起来优雅和专业:)