关于二维向量的一些问题,C++

Some questions regarding 2d Vectors, C++

这个二维向量被用来放置扫雷游戏的棋盘。我想创建一个 struct cell 的二维向量,它有几个 "state" 变量,所有这些变量都包含构建游戏板所需的信息(我正在命令行上 运行 创建一个基本的扫雷游戏,非常简陋,只是想更好地掌握类)。首先,尝试将向量传递给 void 函数时我做错了什么?然后我如何才能访问单独的变量来读取和写入它们?我知道这可能不寻常(可以使用数组解决)但我想做一些不同的事情。我浏览了各种论坛,但人们似乎并没有使用这种方法。谢谢大家。

编辑: 我试图用单元向量完成的基本上是 3 个向量合 1,这样我就可以同时使用不同状态的信息来检查玩家移动时是否满足各种条件(即检查是否有那里有一个地雷,或者那个地方是否已经 opened/marked/unmarked 等)如果下面的代码不允许我想要完成的事情,请告诉我。

代码:

#include <iostream>
#include <vector>

using namespace std;
void gameboard(vector<vector<int>> &stateboard)

struct cell
{
    int state;      //( 0 hidden, 1 revealed, 2 marked)
    int value;      //(-1 mine, 0 no surrounding, # > 0
    bool isMine;
};

void gameboard(vector<vector<int>> &stateboard)
{

}

int main()
{
    int columns = 10;
    int rows = 10;

    vector <vector<cell> > gameboard(rows, vector<cell>(columns));
    gameboard(&gameboard);


    return 0;

}

抱歉各位,这段代码根本不像我在 Xcode 中的大纲,我只是想以一种更容易理解的方式提出问题并将其放在一起。

新代码:

#include <iostream>
#include <vector>

using namespace std;

struct cell
{
    int state;      //( 0 hidden, 1 revealed, 2 marked)
    int value;      //(-1 mine, 0 no surrounding, # > 0
    bool isMine;
};

void game_state(vector<vector<cell>> &stateboard)
{

}

int main()
{
    int columns = 10;
    int rows = 10;

    vector <vector<cell> > gameboard(rows, vector<cell>(columns));
    game_state(gameboard);


    return 0;

}

我想函数和向量的名称相同会​​导致 Xcode 关闭,这就是为什么我最初将游戏板作为参考,但现在我明白了为什么那是愚蠢的。现在这行得通了,我如何专门读写 bool isMine 变量?我并不是要求您完全完成它,而是向我展示如何访问该特定部分的基本代码行将对我有很大帮助。我是否错误地概念化了这一点?

希望对您有所帮助:

#include <iostream>
#include <vector>

// your columns and rows are equal,
//and they should no change, so i think better to do them const
const int BOARD_SIZE = 10;

struct cell {

    int state;
    int value;
    bool isMine;
};

void game_state(std::vector < std::vector <cell > > &stateboard) {


}

int main (){


    std::vector < std::vector <cell > > gameboard;

    //I give more preference to initialize matrix like this
    gameboard.resize(BOARD_SIZE);
    for (int x = 0; x < BOARD_SIZE; x++) {
        gameboard[x].resize(BOARD_SIZE);
        for (int y = 0; y < BOARD_SIZE; y++) {

            // and this is an example how to use bool is mine
            // here all cells of 10x10 matrix is false
            // if you want place mine in a first cell just change it
            // to gameboard[0][0].isMine = true;

            gameboard[x][y].isMine = false;
        }
    }

    game_state(gameboard);

    return 0;
}