我有一个不规则的列表,数据如下所示:
[Number] [Number]
[Number] [Number] [Number]
[Number] [Number] [Number]
[Number] [Number] [Number]
[Number] [Number] [Number]
[...]
请注意,有些行有2个数字,有些有3个数字。 目前我的输入代码看起来像这些
inputFile >> a >> b >> c;
但是,我想忽略只有2个数字的行,是否有一个简单的解决方法呢? (最好不使用字符串操作和转换)
由于
答案 0 :(得分:13)
使用getline,然后分别解析每一行:
#include <iostream>
#include <sstream>
#include <string>
int main()
{
std::string line;
while(std::getline(std::cin, line))
{
std::stringstream linestream(line);
int a;
int b;
int c;
if (linestream >> a >> b >> c)
{
// Three values have been read from the line
}
}
}
答案 1 :(得分:4)
我能想到的最简单的解决方案是逐行使用std::getline
读取文件,然后将每行依次存储在std::istringstream
中,然后对>> a >> b >> c
执行{{1}}并检查返回值。
答案 2 :(得分:2)
std::string line;
while(std::getline(inputFile, line))
{
std::stringstream ss(line);
if ( ss >> a >> b >> c)
{
// line has three numbers. Work with this!
}
else
{
// line does not have three numbers. Ignore this case!
}
}