嗨,我试图在txt文件中计算行数和字符数,在1个计算行数的函数(它可以工作)后,char计数器的工作原理起作用了,但是如果我单独使用char计数器,它就可以工作了。 (我知道我可以将它混合到一个函数中,但是这个示例将解决一个更大的问题)

主要:

int main()
{
    ifstream isf("D:\\test.txt", ios_base::in);
    ofstream osf("D:\\test.txt", fstream::app);
    //WriteToFile(osf,isf);
    cout << CountLines(isf)<< endl;
    cout << CountChar(isf) <<endl;
    isf.close();
    osf.close();
    return 0;
}


功能:

const int CountLines(ifstream& isf)
{
    int count = 1;
    char c;
    while (isf.get(c))
    {
        if (c == '\n')
            ++count;
    }
    return count;
}
const int CountChar(ifstream& isf)
{
    int count = 0;
    char c;
    while (isf.get(c))
    {
        ++count;
    }
    return count;
}


txt文件:

abc
abc


输出:

2
0
Press any key to continue . . .


并且输出应该是

2
7
Press any key to continue . . .

最佳答案

调用第一个函数后,必须将流重置到起始位置:

cout << CountLines(isf)<< endl;
isf.clear(); // Reset stream states like eof()
isf.seekg(0); // <<<<<<<<<<<<<<<<<<
cout << CountChar(isf) <<endl;

10-06 06:36