我有一个结构
typedef struct student
{
char name[10];
int age;
vector<int> grades;
} student_t;
我正在将其内容写入二进制文件。
我在不同的时间写,并且有很多文件来自这个结构。
现在,我想读取二进制文件中存在的所有数据到struct。 我不确定如何为结构分配内存(动态),以便结构可以容纳结构上的所有数据。
你可以帮我解决这个问题。
代码:
#include <fstream>
#include <iostream>
#include <vector>
#include <string.h>
#include <stdlib.h>
#include <iterator>
using namespace std;
typedef struct student
{
char name[10];
int age;
vector<int> grades;
}student_t;
int main()
{
student_t apprentice[3];
strcpy(apprentice[0].name, "john");
apprentice[0].age = 21;
apprentice[0].grades.push_back(1);
apprentice[0].grades.push_back(3);
apprentice[0].grades.push_back(5);
strcpy(apprentice[1].name, "jerry");
apprentice[1].age = 22;
apprentice[1].grades.push_back(2);
apprentice[1].grades.push_back(4);
apprentice[1].grades.push_back(6);
strcpy(apprentice[2].name, "jimmy");
apprentice[2].age = 23;
apprentice[2].grades.push_back(8);
apprentice[2].grades.push_back(9);
apprentice[2].grades.push_back(10);
// Serializing struct to student.data
ofstream output_file("students.data", ios::binary);
output_file.write((char*)&apprentice, sizeof(apprentice));
output_file.close();
// Reading from it
ifstream input_file("students.data", ios::binary);
student_t master;
input_file.seekg (0, ios::end);
cout << input_file.tellg();
std::vector<student_t> s;
// input_file.read((char*)s, sizeof(s)); - dint work
/*input_file >> std::noskipws;
std::copy(istream_iterator(input_file), istream_iterator(), std::back_inserter(s));*/
while(input_file >> master) // throws error
{
s.push_back(master);
}
return 0;
}
答案 0 :(得分:3)
您应该使用vector<student_t>
而不是旧式数组。它将处理动态分配(使用push_back()
添加项目),您可以使用size()
方法获取其大小。
修改强> 对于文件读取,您可以执行以下操作:
ifstream myfile;
myfile.open(file_name);
if (myfile.is_open()) {
while (myfile) {
string s;
getline(myfile, s);
// Do something with the line
// Push information into students vector
}
}
不要忘记添加二进制选项。
对于name
结构中的student_t
,将其声明为string
要容易得多。这样,您就不必使用strcpy
之类的内容,只需输入mystudent.name = "jimmy"
答案 1 :(得分:0)
最简单的方法是解压缩向量,这样你写入文件的内容就不是一个向量,而是一个int数组以及数组中的int数。
所以第一遍是写第一部分,它有一个标准的,不变的结构,然后是一个数字,表示将跟随的整数,然后最终遍历向内写入文件的向量。
然后当你读取文件时,你将创建一个带有空向量的结构,读取结构化的第一部分并且不改变为结构,然后读取要放在向量中的整数,然后读取文件中的int数。当您从文件中读取整数时,您可以将它们添加到结构中的向量中。
答案 2 :(得分:0)
您需要为此创建一种文件格式。在文件的开头,您将存储一个所谓的“标题”,其中包含有关其中包含的数据的信息。例如:
2 13 <DATA> 8 <DATA>
第一个数字(2)给出了文件中存储的结构数量。然后是数据块。每个数据块都以一个数字开头,该数字指定grades
向量的大小(第一个结构为13,第二个结构为8)。
在这种情况下,您从文件的开头读取一个int。现在您知道该文件中保存了2个结构。然后,在这种情况下,您将读取下一个int,13。这告诉您需要一个容量为13的向量。您可以创建一个,然后读取所有值。您将知道何时停止,因为您知道此结构中有多少数据:10个字符(名称),1个int(年龄),13个整数(等级)。阅读完所有内容后,您就知道下一个int将成为文件中下一个结构的一部分。它将是数字8,它告诉您下一个结构需要一个容量为8的向量。
等等,直到你读完所有内容。
请注意,这种二进制文件I / O方法不可移植。有两个原因。首先,int的大小可能因平台而异。其次,int(以及大于单个字节的其他数据)以二进制形式存储的方式也可能不同,即使它们具有相同的大小(请参阅http://en.wikipedia.org/wiki/Endianness以获得解释。)但是如果不这样做打算你的程序及其生成的文件都是可移植的,那么上面描述的方法就足够了。