作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
很抱歉,这是一个重复的问题,但似乎没有任何解决方案适用于我的代码。
这是学校的一项作业,内容是从文件中读取数据并将数据复制到数组中。每次我尝试在 main 中编辑数组“arr”时都会抛出异常。
这是我的代码:
#include <iostream>
#include <fstream>
using namespace std;
struct Student {
string name;
float gpa;
int id;
};
void PrintStudents(Student arr[], int nstudents) {
for (int i = 0; i < nstudents; i++) {
cout << "Student name: " << arr[i].name << endl;
cout << "Student GPA: " << arr[i].gpa << endl;
cout << "Student ID: " << arr[i].id << endl;
}
}
int ReadStudents(string fname, Student arr[]) {
ifstream file;
file.open(fname);
int counter = 0;
string name_local;
float gpa_local;
int id_local;
int index = 0;
while (!file.eof()) {
if (counter == 0) {
file >> name_local;
}
else if (counter == 1) {
file >> gpa_local;
}
else if (counter == 2) {
file >> id_local;
}
counter++;
if (counter == 3) {
counter = 0;
Student newStudent = { name_local, gpa_local, id_local };
arr[index] = newStudent;
index++;
}
}
file.close();
return index;
}
void fillStudentArray(Student array[], int array_size) {
Student temp = { "", 0, 0 };
for (int i = 0; i < array_size; i++) {
array[i] = temp;
}
return;
}
int main() {
Student arr[128];
fillStudentArray(arr, 128); // exception thrown here??
cout << "Array filled." << endl;
cout << "Reading students" << endl;
int nstudents = ReadStudents("csci10.hw8.students.txt", arr);
PrintStudents(arr, nstudents);
return 0;
}
感谢您的帮助!我完全被难住了。
编辑:哇哦,我去喝了 30 分钟的咖啡,回来后得到了一大堆答案!我会尽力回复所有这些问题。
编辑 2:刚刚找到解决方案!我在 VS 2019 中工作,切换到老式终端 G++,它成功了!感谢大家的所有回答:)
最佳答案
您没有检查文件是否已成功打开。试试这个:
ifstream file( fname );
if ( !file )
return -1;
读取时不需要局部变量。直接读取数组元素:
file >> arr[index].name
ReadStudents
忽略传递的数组的大小:如果您读取的内容超过分配的大小(再读一遍),您可能会遇到麻烦。如果允许,您可以使用 std::vector
。或者,也可以传递大小 - 与您对填充所做的方式相同。
您尝试从文件中读取的方式过于复杂。尝试更多的 C++ 方法:
为 Student
定义一个提取操作符:
std::istream& operator>>( std::istream& is, Student& s )
{
return is >> s.name >> s.gpa >> s.id;
}
像读取整数一样使用它:
file >> arr[ index ]
或者你可以使用:
is >> arr[ index ].name >> arr[ index ].gpa >> arr[ index ].id
你会得到这样的东西:
int ReadStudents( string fname, Student arr[]/*how large is the array?*/ )
{
ifstream file( fname );
if ( !file )
return -1;
int index = 0;
while ( file >> arr[ index ].name >> arr[ index ].gpa >> arr[ index ].id )
index++;
return index;
}
关于c++ - 读取访问冲突,错误代码 0xFFFFFFFFFFFFFFFF,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/58919652/
我是一名优秀的程序员,十分优秀!