我对getline有点问题。我想逐行读取,但是只有>>读取有效,而getline没有读取。这是我的代码:

int studentSize;
string programme;
filein >> studentSize;
filein >> programme;
if (programme == "Physics")
{
    for(int i=0; i < studentSize; i++)
    {
        getline (filein,namephys, '*');
        filein >> idphys;
        getline (filein,course, '*');
        filein >> mark;

        phys.push_back(new physics());
        phys[i]->setNameId(namephys, idphys);
        phys[i]->addCourse(course, mark);
        sRecord[idphys] = phys[i];
    }
}

这是我的文件:
2
Physics
Mark Dale*
7961050
Quantum Programming*
99

Mark Dale和Quantum Programming的输出效果不佳。似乎整条线都摆在了他们面前。感谢您的帮助。

最佳答案

流可能随时失败,并且您的循环无法对此使用react。
您应该执行以下操作:

if( programme == "Physics" )
{
    filein.ignore();

    // a more strict version is : (#include <limits>)
    //filein.ignore( numeric_limits<streamsize>::max(), '\n' );

    while( getline(filein, namephys, '*') &&
           filein >> idphys &&
           filein.ignore() && //** ignore the trailing newline (operator>> doesn't read it)
           getline(filein, course, '*') &&
           filein >> mark &&
           filein.ignore() )
    {
        /* do something */
    }
}

每当流状态变差时,此循环立即退出

09-13 03:57