struct Student_info {
std::string name;
double midterm,final;
std::vector<double> homework;
};
我正在编写一个来自Accelerated C ++的C ++程序,它使用上面的结构来定义一个学生。目标是存储和计算多个学生的成绩。该程序应该以名称,两个测试分数,然后一些未知数量的家庭作业等级的形式从标准输入中获取输入。这些值都被加载到结构中,然后结构被添加到Student_info的向量中。执行此操作的代码如下。
int main(){
std::vector<Student_info> students;
Student_info record;
std::string::size_type maxlen = 0;
while(read(std::cin,record)){
maxlen = std::max(maxlen,record.name.size());
students.push_back(record);
}
}
std::istream& read(std::istream& is, Student_info& student){
std::cout << "Enter your name, midterm, and final grade: ";
is >> student.name >> student.midterm >> student.final;
std::cout << student.name << " "<< student.midterm << " " << student.final;
read_hw(is,student.homework);
return is;
}
std::istream& read_hw(std::istream& in,std::vector<double>& hw){
if(in){
hw.clear();
double x;
while(in>>x){
hw.push_back(x);
}
in.clear();
in.ignore(std::numeric_limits<std::streamsize>::max());
}
return in;
}
但输入无法正确读取。输入
Sam 90 88 90 88 89 \eof Jack 86 84 85 80 82 \eof
给予:
student.name = Sam
student.midterm = 90.
student.final = 88.
student.homework = [90,88,89]
student.name = \eof
student.midterm = 0
student.final = 88
student.homework
这最后一个学生不适合结构,因此读取失败并且while循环结束,而Jack永远不会被添加到向量中。
答案 0 :(得分:1)
在read_hw
中您正在阅读homework
,直到关闭流。
第一个\eof
char关闭标准输入。
=&GT;其他学生无法从封闭的输入流中输入。
您必须找到另一种方式来结束homework
输入,例如空行。