1

这个 2d 向量用于放置扫雷游戏的游戏板。我想创建一个 struct cell 的 2d 向量,它有几个“状态”变量,所有这些变量都包含构建游戏板所需的信息(我正在创建一个基本的扫雷游戏以在命令行上运行,非常初级,只是想获得一个更好地掌握课程)。首先,尝试将向量传递给 void 函数时我做错了什么?然后我如何能够访问单独的变量来读取和写入它们?我知道这可能是不寻常的(可以使用数组解决),但我想稍微不同。我浏览了各种论坛,但人们似乎没有使用这种方法。多谢你们。

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

代码:

#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 变量?我不是要求你完全做到这一点,而是向我展示如何访问该特定部分的基本代码行将对我有很大帮助。我是否错误地概念化了这一点?

4

1 回答 1

0

希望它可以帮助你:

#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;
}
于 2016-05-13T07:17:18.403 回答