1

我在尝试让程序读取到文本文件中的行尾时遇到问题。

我正在尝试从具有以下格式(空格分隔的字段)的文本文件(每行一项)中读取数据:

  • 房子 (12345)
  • 类型(A = 汽车或 M = 摩托车)
  • 执照 (WED123)
  • 年份 (2012)
  • 建议零售价 (23443)

该数据将用于计算车辆登记总数。

目前程序正在读取所有格式如上的行,但是一个房子可能有不止一个车辆,因此行上有额外的数据(在这种情况下,除了第一个字段之外的所有字段都重复)。例如:

111111 A QWE123 2012 13222 M RTW234 2009 9023

//     ^^^^^^^^^^^^^^^^^^^ ^^^^^^^^^^^^^^^^^^
//        first vehicle      second vehicle

一旦到达包含附加数据的行,程序就不会读取它并进入无限循环。如何读取行中的附加数据以到达文件末尾并从无限循环中停止程序。

#include <stdlib.h>        
#include <iostream>           
#include <fstream>

using namespace std;

int main ()                   // Function Header
{                             // Start Function
    int house;
    char  type; 
    string license; 
    int year, msrp ; 
    char ch; 

    ifstream inData; 
    ofstream outData; 

    inData.open("register.txt"); 
    outData.open("vehicle.txt"); 

    inData >> house;               // Priming Read

    while (inData) {             // Test file stream variable

        do { 
            inData >> type;         
            inData >> license; 
            inData >> year;
            inData >> msrp; 

            outData << house << type << license << year << msrp << endl; 

            ch = inData.peek();
            inData >> house;

        } while(ch != '\n');            // Check for end of line 

    }                              // End while 

    system ("Pause");      
    return 0;
}
4

2 回答 2

1

您的程序将很难检测到行尾。当它尝试读取“额外数据”但遇到下一行时,流上会发生错误,从而阻止您再次读取。

house您可以通过不读取内部循环中的值来“修复”您的程序。相反,请在检测到行尾后阅读它。

        ch = inData.peek();
        //inData >> house;          // WRONG: house might be next vehicle type

    } while(ch != '\n');            // Check for end of line 

    inData >> house;                // CORRECT

}                              // End while 

但是,处理此问题的更好方法可能是使用getlineand istringstream。首先使用getline. 将输入放入istringstream. 然后,从中获取其余数据。请参阅 MM 的版本以了解这一点。

于 2013-03-10T16:49:30.853 回答
0

如果我正确理解您的问题,您可以使用以下示例。

如果先读取house然后type, license, year, msrp.

string line;
while (getline(inData , line))
{
    istringstream iss(line, istringstream::in);

    iss >> house;
    while (iss >> type >> license >> year >> msrp)
    {
      outData << house << type << license << year << msrp << endl; 
    }
}
于 2013-03-10T16:36:05.077 回答