c ++中是否有特定的函数可以返回我想要查找的特定字符串的行号?
ifstream fileInput;
int offset;
string line;
char* search = "a"; // test variable to search in file
// open file to search
fileInput.open(cfilename.c_str());
if(fileInput.is_open()) {
while(!fileInput.eof()) {
getline(fileInput, line);
if ((offset = line.find(search, 0)) != string::npos) {
cout << "found: " << search << endl;
}
}
fileInput.close();
}
else cout << "Unable to open file.";
我想在以下地址添加一些代码:
cout << "found: " << search << endl;
这将返回行号,后跟被搜索的字符串。
答案 0 :(得分:13)
只需使用计数器变量来跟踪当前行号。每当你打电话给getline
时,你......读一行...所以只需在此之后增加变量。
unsigned int curLine = 0;
while(getline(fileInput, line)) { // I changed this, see below
curLine++;
if (line.find(search, 0) != string::npos) {
cout << "found: " << search << "line: " << curLine << endl;
}
}
也...
while(!fileInput.eof())
应该是
while(getline(fileInput, line))
如果在读取eof
时发生错误,则无法设置,因此您将拥有无限循环。 std::getline
返回一个流(您传递它的流),它可以隐式转换为bool
,它告诉您是否可以继续读取,而不仅仅是在文件的末尾。
如果设置了eof
,您仍然会退出循环,但是如果设置了bad
,有人在您阅读时删除了该文件等,您也将退出
答案 1 :(得分:5)
已接受答案的修改版本。 [作为建议的答案的评论本来是更可取的,但我还不能评论。] 以下代码未经测试但应该可以正常工作
for(unsigned int curLine = 0; getline(fileInput, line); curLine++) {
if (line.find(search) != string::npos) {
cout << "found: " << search << "line: " << curLine << endl;
}
}
for循环使它略小(但可能更难阅读)。 find中的0应该是不必要的,因为默认情况下find会搜索整个字符串