我使用以下代码从文本文件中读取行。处理行大于限制SIZE_MAX_LINE的情况的最佳方法是什么?
void TextFileReader::read(string inFilename)
{
ifstream xInFile(inFilename.c_str());
if(!xInFile){
return;
}
char acLine[SIZE_MAX_LINE + 1];
while(xInFile){
xInFile.getline(acLine, SIZE_MAX_LINE);
if(xInFile){
m_sStream.append(acLine); //Appending read line to string
}
}
xInFile.close();
}
答案 0 :(得分:11)
请勿使用istream::getline()
。它处理裸字符缓冲区,因此容易出错。最好使用std::getline(std::istream&,std::string&, char='\n')
标题中的<string>
:
std::string line;
while(std::getline(xInFile, line)) {
m_sStream.append(line);
m_sStream.append('\n'); // getline() consumes '\n'
}
答案 1 :(得分:9)
由于您已经在使用C ++和iostream,为什么不使用std::string
的{{3}}?
std::string acLine;
while(xInFile){
std::getline(xInFile, acLine);
// etc.
}
并且,使用xInFile.good()
确保eofbit
和badbit
以及failbit
不设置。
答案 2 :(得分:2)
如果在字符串中使用free function,则不必传递最大长度。它也使用C ++字符串类型。