0

这些是我拥有的代码的一部分:

ifstream inFile;
inFile.open("Product1.wrl");
...
if (!inFile.is_open()){
    cout << "Could not open file to read" << endl;
    return 0;
}
else 
    while(!inFile.eof()){
        getline(inFile, line);
        cout << line << endl;  //this statement only to chech the info stored in "line" string
        if (line.find("PointSet"))
            inFile >> Point1;
    }

输出一遍又一遍地向我显示相同的字符串。所以这意味着文件内的光标不会继续getline读取同一行。

这种奇怪的行为可能是什么问题?

如果这是相关的:该文件确实作为.txt文件打开并包含我需要的确切信息。

好的,我发现了问题:即使在第一次迭代之后,返回值line.find("PointSet")也是:429467295... 而我的line字符串只包含一个字母“S”。为什么?

4

1 回答 1

0

改变

while(!inFile.eof()){
    getline(inFile, line);

while( getline(inFile, line) ) {

我不知道为什么人们eof()经常被咬,但他们确实如此。

混合是getline>>问题的,因为>>会在流中留下一个'\n',所以下一个getline会空着回来。将其更改getline为也可以使用。

if (line.find("PointSet"))也不是你想要的。find返回 中的位置string,或者std::string::npos如果没有找到。

此外,您可以更改

ifstream inFile;
inFile.open("Product1.wrl");

ifstream inFile ("Product1.wrl");

这是显示读数的版本:

class Point 
{
public:
    int i, j;
};

template <typename CharT>
std::basic_istream<CharT>& operator>>
    (std::basic_istream<CharT>& is, Point& p)
{
    is >> p.i >> p.j;
    return is;
}

int main()
{
    Point point1;
    std::string line;
    while(std::getline(std::cin, line))
    {
        std::cout << line << '\n';  //this statement only to chech the info stored in "line" string
        if (line.find("PointSet") != std::string::npos)
        {
            std::string pointString;
            if (std::getline(std::cin, pointString))
            {
                std::istringstream iss(pointString);
                iss >> point1;
                std::cout << "Got point " << point1.i << ", " << point1.j << '\n';
            }
            else
            {
                std::cout << "Uhoh, forget to provide a line with a PointSet!\n";
            }
        }
    }

}
于 2013-05-17T12:40:39.633 回答