1

我有一个文件:

name1 8
name2 27
name3 6

我把它解析成向量。这是我的代码:

  int i=0;
  vector<Student> stud;

  string line;
  ifstream myfile1(myfile);
  if (!myfile1.is_open()) {return false;}
  else {
    while( getline(myfile1, line) ) {
      istringstream iss(line);
      stud.push_back(Student());
      iss >> stud[i].Name >> stud[i].Grade1;
      i++;
    }
    myfile1.close();
  }

我需要检查 stud[i].Grade1 是否为 int。如果不是,则返回 false。文件可以包含:

name1 haha
name2 27
name3 6

我该怎么做?

编辑:

我尝试了另一种方式(没有getline),它似乎有效。我不明白为什么:/

int i=0;
vector<Student> stud;

ifstream myfile1(myfile);
if (!myfile1.is_open()) {return false;}
else {
  stud.push_back(Student());
  while( myfile1 >> stud[i].Name ) {
    if(!(myfile1 >> stud[i].Points1)) return false;
    i++;
    stud.push_back(Student());
}
myfile1.close();
}
4

2 回答 2

1

如果类型为Grade1数字,例如int,请使用std::istringstream::fail()

// ...
    while( getline(myfile1, line) ) {
      istringstream iss(line);
      stud.push_back(Student());
      iss >> stud[i].Name;
      iss >> stud[i].Grade1;
      if (iss.fail())
        return false;
      i++;
    }
    myfile1.close();
  }
// ...
于 2013-03-14T20:01:03.250 回答
1

它可能看起来像这样:

std::vector<Student> students;
std::ifstream myfile1(myfile);
if (!myfile1.is_open())
    return false;

std::string line;
while (std::getline(myfile1, line))
{
    // skip empty lines:
    if (line.empty()) continue;

    Student s;
    std::istringstream iss(line);
    if (!(iss >> s.Name))
        return false;
    if (!(iss >> s.Grade1))
        return false;

    students.push_back(s);
}

请注意,这iss >> s.Grade1不仅适用于十进制,而且适用于八进制和十六进制数。为了确保只读取十进制值,您可以将其读入临时std::string对象并在使用它检索数字之前对其进行验证。看看如何使用 C++ 确定字符串是否为数字?

于 2013-03-14T20:06:09.493 回答