我正在将文件读入数组。它正在读取每个char,问题出现在它还在文本文件中读取换行符。
这是一个数独板,这是我在char中读取的代码:
bool loadBoard(Square board[BOARD_SIZE][BOARD_SIZE])
{
ifstream ins;
if(openFile(ins)){
char c;
while(!ins.eof()){
for (int index1 = 0; index1 < BOARD_SIZE; index1++)
for (int index2 = 0; index2 < BOARD_SIZE; index2++){
c=ins.get();
if(isdigit(c)){
board[index1][index2].number=(int)(c-'0');
board[index1][index2].permanent=true;
}
}
}
return true;
}
return false;
}
像我说的那样,当它遇到\ n 时,它会读取文件,显示在屏幕上,但顺序不正确
答案 0 :(得分:2)
你可以把ins.get()放在do while循环中:
do {
c=ins.get();
} while(c=='\n');
答案 1 :(得分:1)
你的文件格式很好,你不能保存换行符,或者你可以添加一个ins.get()for循环。
您还可以将c = ins.get()包装在类似于getNextChar()的函数中,该函数将跳过任何换行符。
我想你想要这样的东西:
for (int index1 = 0; index1 < BOARD_SIZE; index1++)
{
for (int index2 = 0; index2 < BOARD_SIZE; index2++){
//I will leave the implementation of getNextDigit() to you
//You would return 0 from that function if you have an end of file
//You would skip over any whitespace and non digit char.
c=getNextDigit();
if(c == 0)
return false;
board[index1][index2].number=(int)(c-'0');
board[index1][index2].permanent=true;
}
}
return true;
答案 2 :(得分:0)
你有一些不错的选择。要么不在文件中保存换行符,要么在循环中明确丢弃换行符,要么在<string>
中使用std::getline()
。
例如,使用getline()
:
#include <string>
#include <algorithm>
#include <functional>
#include <cctype>
using namespace std;
// ...
string line;
for (int index1 = 0; index1 < BOARD_SIZE; index1++) {
getline(is, line); // where is is your input stream, e.g. a file
if( line.length() != BOARD_SIZE )
throw BabyTearsForMommy();
typedef string::iterator striter;
striter badpos = find_if(line.begin(), line.end(),
not1(ptr_fun<int,int>(isdigit)));
if( badpos == line.end() )
copy(board[index1], board[index1]+BOARD_SIZE, line.begin());
}