因此,我正在编写一个面向对象的Tile Slider Puzzle游戏,感觉好像我已经正确编写了代码,并且在构建项目时,不会引发任何错误。但是,当我运行代码(Visual Studio 2015 IDE)时,出现一个消息框,提示.exe文件已停止工作。到目前为止,这是我的文件:
以下是TileSlider.h文件:
#ifndef TILESLIDER_H
#define TILESLIDER_H
#include <Windows.h>
class TileSlider
{
private:
char** solvedBoard;
char** gameBoard;
//mutator(s)
void setUpBoards(); //keep or copy code to constructor
//other member functions
void printBoard(const HANDLE &consoleOut) const;
void scrambleBoard();
bool isBoardSolved() const;
void makeMove(int move);
public:
TileSlider(); //allocate mem here? maybe call setUpBoards()
~TileSlider(); //deallocate mem here
void playGame();
};
#endif
以下是TileSlider.cpp文件:
#include "TileSlider.h"
using namespace std;
#define SIZE 3 //num of rows and cols to board
// --------------------------------------
// Private Members
// --------------------------------------
// Mutator(s)
void TileSlider::setUpBoards() {
//allocate memory for boards
char** solvedBoard = new char*[SIZE];
char** gameBoard = new char*[SIZE];
for (int i = 0; i < SIZE; i++) {
solvedBoard[i] = new char[SIZE];
gameBoard[i] = new char[SIZE];
}
//fill the boards
char i = 49; // ASCII code for '1'
for (int row = 0; row < SIZE; row++) {
for (int column = 0; column < SIZE; column++) {
gameBoard[row][column] = i;
solvedBoard[row][column] = i;
i++;
}
}
gameBoard[SIZE - 1][SIZE - 1] = 42; // ASCII for '*'
solvedBoard[SIZE - 1][SIZE - 1] = 42;
}
以下是我的代码(TileSliderGame.cpp)的驱动程序文件:
#include "TileSlider.h"
using namespace std;
int main() {
TileSlider* game = new TileSlider();
game->playGame();
delete game;
return 0;
}
为了尝试确定发生的问题,我在驱动程序文件(TileSliderGame.cpp)中的调用playGame()处放置了一个断点。我进入该函数,然后进入playGame()调用printBoard(consoleOut)函数的位置,到达此行时收到读取访问冲突错误:
// Other Private Member Functions
void TileSlider::printBoard(const HANDLE &consoleOut) const {
for (int row = 0; row < SIZE; row++) {
for (int column = 0; column < SIZE; column++) {
if (gameBoard[row][column] == 42) { //ASCII code 42 is '*' asterisk
. . .
(在上面显示的最后一行抛出了错误)
错误信息:
引发异常:读取访问冲突。
this-> gameBoard为0x1110112。
现在,我真的不确定为什么在printBoard()函数中会出现读取访问冲突错误,因为它是私有函数,因此应该能够直接访问类内的私有gameBoard变量。我什至试图查看为gameBoard创建访问器是否会有所不同,但是没有(抛出相同的错误)。
我想做的另一个说明是,我在一个具有Imperative程序设计的项目中启动了此代码,并使其按预期运行。因此,我知道我的面向对象程序中有关TileSlider游戏如何工作的代码可以很好地工作。我不确定将代码重新设计为面向对象的设计时可能做错了什么。
如果我的游戏看起来令人困惑,则TileSlider gameBoard是一个3x3 2D字符数组,其显示在屏幕上的方式如下:
1 2 3
4 5 6
7 8 *
以上是gameBoard的启动方式,然后进行了加扰,然后用户使用“ wasd”键移动了图块以尝试赢得游戏。移动到正确位置(上面显示的位置)的所有图块都被涂成绿色,而未处于正确位置的图块被涂成红色。一个例外是,空块(星号)始终以白色打印。
我认为我的代码不是完美的,所以我会对我的代码和代码设计提出任何建设性的批评。
编辑:我删除了上面显示的TileSlider.cpp文件代码的很大一部分,因为它与我在代码中所做的错误无关。
最佳答案
你写了:
char** solvedBoard = new char*[SIZE];
char** gameBoard = new char*[SIZE];
您可能的意思是:
solvedBoard = new char*[SIZE];
gameBoard = new char*[SIZE];
原因是您在
solvedBoard
中声明gameBoard
和TileSlider::setUpBoards()
有效地隐藏了具有相同名称的TileSlider
成员变量,并且没有为后者分配任何内容。