0

我目前正在尝试将输入文件中的一行数据分配给结构数组。

这是我的结构:

struct student
    {
        int ID;
        int hours;
        float GPA;
    };

    student sStudents[MAX_STUDENTS]; // MAX_STUDENTS = 10

在哪里:

for (int i = 0; !inputFile.eof(); i++)
{
    getline(inputFile, dataLine);
    cout << dataLine << endl; // Everything outputs perfectly, so I know dataLine is getting the correct information from getline()
            //??
}

在通过 Google 爬了一个小时后,我仍然不知道如何将我的 getline() 数据放入每个结构数组中。

我努力了,

sStudents[i] = dataLine;
sStudents[i] << dataLine;
sStudents.ID = dataLine;

这是我的数据文件:

1234  31  2.95
9999  45  3.82
2327  60  3.60
2951  68  3.1
5555  98  3.25
1111  120 2.23
2222  29  4.0

在这一点上,我变得沮丧,我只是不知道该怎么办。在这一点上,我确信我的做法完全错误,但不确定如何从这里继续。我知道存在 sStudents 的 10 个元素,这很好,但是如何将输入文件中的值获取到每个 .ID、.hours、.GPA 中?也许 getline() 在这里使用不正确?

4

3 回答 3

2

您可以简单地执行以下操作:

int ID = 0;
int hours = 0;
float GPA = 0.0;
int i = 0;
ifstream inputFile("data.txt");
while (inputFile >> ID >> hours >> GPA)
{
   sStudents[i].ID = ID;
   sStudents[i].hours = hours;
   sStudents[i].GPA = GPA;
   i ++;
}
于 2013-04-23T00:09:34.860 回答
1

使用标准库的建议。

#include<iostream>
#include<fstream>
#include<vector>

// your data structure
struct Student {
  int id;
  int hours;
  float gpa;
};

// overload the input stream operator
bool operator>>(std::istream& is, Student& s) {
  return(is>>s.id>>s.hours>>s.gpa);
}

// not necessary (but useful) to overload the output stream operator
std::ostream& operator<<(std::ostream& os, const Student& s) {
  os<<s.id<<", "<<s.hours<<", "<<s.gpa;
  return os;
}


int main(int argc, char* argv[]) {
  // a vector to store all students
  std::vector<Student> students;
  // the "current" (just-read) student
  Student student;

  { // a scope to ensure that fp closes                                     
    std::ifstream fp(argv[1], std::ios::in);    

    while(fp>>student) {
      students.push_back(student);
    }
  }

  // now all the students are in the vector
  for(auto s:students) {               
    std::cout<<s<<std::endl;
  }

  return 0;
}
于 2013-04-23T00:23:09.747 回答
0

要从输入流中获取数据,请使用>>运算符。所以:

int i;
file >> i;

从文件中提取一个整数。默认情况下,它是空格分隔的。使用它,看看你是否能走得更远。

于 2013-04-23T00:12:45.427 回答