我正在为我的libspellcheck拼写检查库创建一个函数来检查文件的拼写。它的功能是读取文本文件并将其内容发送到拼写检查功能。为了使拼写检查功能正确处理文本,必须用空格替换所有换行符。我决定为此使用boost。这是我的功能:
spelling check_spelling_file(char *filename, char *dict, string sepChar)
{
string line;
string fileContents = "";
ifstream fileCheck (filename);
if (fileCheck.is_open())
{
while (fileCheck.good())
{
getline (fileCheck,line);
fileContents = fileContents + line;
}
fileCheck.close();
}
else
{
throw 1;
}
boost::replace_all(fileContents, "\r\n", " ");
boost::replace_all(fileContents, "\n", " ");
cout << fileContents;
spelling s;
s = check_spelling_string(dict, fileContents, sepChar);
return s;
}
在编译库之后,我创建了一个带有示例文件的测试应用程序。
测试应用程序代码:
#include "spellcheck.h"
using namespace std;
int main(void)
{
spelling s;
s = check_spelling_file("test", "english.dict", "\n");
cout << "Misspelled words:" << endl << endl;
cout << s.badList;
cout << endl;
return 0;
}
测试文件:
This is a tst of the new featurs in this library.
I wonder, iz this spelled correcty.
输出结果为:
This is a tst of the new featurs in this library.I wonder, iz this spelled correcty.Misspelled words:
This
a
tst
featurs
libraryI
iz
correcty
正如您所看到的,新线未被替换。我做错了什么?
答案 0 :(得分:5)
std::getline
在从流中提取时不会读取换行符,因此它们在fileContents
中更新。
此外,您无需搜索和替换"\r\n"
,这些流抽象出来并将其翻译为'\n'
。
答案 1 :(得分:4)
std::getline()
从流中提取换行符但未在返回的std::string
中包含换行符,因此fileContents
中没有换行符可供替换。
另外,立即检查输入操作的结果(参见Why is iostream::eof inside a loop condition considered wrong?):
while (getline (fileCheck,line))
{
fileContents += line;
}
或者,要将文件内容读入std::string
,请参阅What is the best way to read an entire file into a std::string in C++?,然后应用boost::replace_all()
。