2

我正在为我的 c++ 类制作一个扫雷类型程序,我在其中读取这样的文件

4 4
*...
....
.*..
....
3 5
**...
.....
.*...
0 0

然后输出这样的文件

Field #1:
*100
2210
1*10
1110

Field #2:
**100
33200
1*100

我想我首先将输入文件中的网格内容读入一个二维字符数组,但我会用零替换句点。然后希望以后我可以对字符数组进行一些数学运算(不确定这是否有效。我是 C++ 新手)。

无论如何,我正在尝试检查一个字符是否是星号,但即使该字符是星号,该条件也总是返回 false。我究竟做错了什么?

#include <iostream>
#include <fstream>

using namespace std;

int main()
{
    ifstream mineData;
    mineData.open("input_mine_data.txt");
    int numRows = 0;
    int numColumns = 0;

    mineData >> numRows;
    mineData >> numColumns;

    cout << numRows;
    cout << numColumns;
    cout << "\n\n";

    char Grid[50][50];


    for (int iRows = 0; iRows < numRows; iRows++)
    {
        for (int iCols = 0; iCols < numColumns; iCols++)
        {
            //if current character is an asterisk
            if (Grid[iRows][iCols] == '*')
            {
                //put the asterisk in the Grid array
                mineData >> Grid[iRows][iCols];
            }

            //if the current character is a period, put a zero
            //in the grid array instead
            else
            {
                Grid[iRows][iCols] = '0';
            }

        }
    }

    for (int iRows = 0; iRows < numRows; iRows++)
    {
        for (int iCols = 0; iCols < numColumns; iCols++)
        {
            cout << Grid[iRows][iCols];

        }
        cout << "\n";
    }

}
4

2 回答 2

1

您在Grid这里使用统一化:

if (Grid[iRows][iCols] == '*')

这需要在if检查之前移动:

mineData >> Grid[iRows][iCols];

然后你可以检查它是否不是一个*并将其设置为0.

于 2013-10-22T01:55:05.453 回答
1

Grid的是空的。你已经初始化Grid了,但还没有读入任何数据,所以检查是否会有星号Grid肯定会返回false。代替:

if (Grid[iRows][iCols] == '*') //Empty array will return false

做这个:

char tmp;
if (mineData >> tmp == '*')...
于 2013-10-22T01:53:26.840 回答