3

如果我还必须定义如何保存数据,我将如何将数据写入/读取二进制文件?
我正在尝试将一些简单的数据结构保存到二进制文件中。

例如,我有一个这样的结构向量:

struct Vertex
{
    x;
    y;
    z;
}

std::vector<Vertex> vertices;

我想将此向量保存到二进制文件中。

我知道如何使用ifstreamostream使用<<and>>运算符来输出它,它可以被重载来处理我的数据,但它们不能输出二进制文件。

我也知道如何使用 .write() 以二进制形式写入,但问题是我找不到一种方法来重载我需要的东西,以便处理我的数据。

4

3 回答 3

2

这是一个类似问题的答案。虽然这在您的情况下是可以的,但请注意,如果您在结构中使用指针,这将不起作用。

指针的意思是:“在这个其他内存段中加载了相关数据”,但实际上,它只包含内存的地址。然后写操作会保存这个内存位置。当您将其加载回来时,内存仍然保留您想要的信息的可能性很小。

人们通常做的是创建一个序列化机制。向您的结构添加一个方法,或编写另一个函数,将您的结构作为参数并输出一个 char* 数组,其中包含您决定的特殊格式的数据。您还需要相反的函数来读取文件并从二进制数据重新创建结构。你应该看看处理这个非常常见的编程问题的boost::serialization 。

于 2013-05-02T15:24:46.000 回答
1

一种方法(不一定是最好的)是使用您选择的任何二进制写入函数写入数据,例如

write(fd,data,size);

但是将“数据”作为结构传递。

例如

Vertex data;
data.x = 0;
etc...
write(fd,(char*)&data,sizeof(data));

这会将结构视为字符数组,然后将它们写入文件。将其读回应该与上述相反。

请注意,使用向量(它们是动态分配的,并且我在内存中奇怪的地方有奇怪的东西)并不是一个很好的方法,所以我推荐一个结构数组。

于 2013-05-02T15:16:50.733 回答
0

我一直在寻找一种有效且紧凑的方式来永久存储数据,但找不到任何可执行的最小示例,所以我为您整理了它。

这个解决方案的美妙之处在于能够随心所欲地处理“向量”中的数据并随心所欲地扩展“结构”(稍作改动)

这样,内存中表示的“向量”将通过“std::vector”提供的“data()”方法传输到驱动器并再次返回。

#include <iostream>
#include <fstream>
#include <vector>
#include <string>
#define FILENAME "data.bin"

struct Vertex
{
    size_t x{};
    size_t y{};
    std::string z{};
};

void writeVectorToBinary(std::vector<Vertex> &v);
void readVectorFromBinary(std::vector<Vertex> &v);
void printVector(std::vector<Vertex> &v);

int main()
{
std::vector<Vertex> vertices;
vertices.push_back({1,2,"three"});
vertices.push_back({4,5,"six"});

writeVectorToBinary(vertices);
printVector(vertices);
readVectorFromBinary(vertices);
printVector(vertices);

std::cin.get();
return 0;
}


void writeVectorToBinary(std::vector<Vertex> &v)
{
  size_t size = v.size();
  //Open Binary file, to write out data
  std::ofstream file(FILENAME, std::ios::binary);
  if(!file)
    std::cout << "Something went wrong" << std::endl;
  //Store/Write the vector size
  file.write(reinterpret_cast<const char*>(&size), sizeof(size));
  //Store/Write the data of the vector out
  file.write(reinterpret_cast<const char*>(v.data()), sizeof(v[0])*size);
  //Close binary file
  file.close();
}

void readVectorFromBinary(std::vector<Vertex> &v)
{
//Clear Vector just for the proof of concept
v.clear();
size_t size{};
//Open Binary file to read in data
std::ifstream file(FILENAME,std::ios::binary);
if(!file)
  std::cout << "Something went wrong" << std::endl;
//Read the vector size
file.read(reinterpret_cast<char*>(&size), sizeof(size));
//Resize vector now that its known
v.resize(size);
//Read vector data in
file.read(reinterpret_cast<char*>(v.data()), sizeof(v[0])*size);
//Close binary file
file.close();
}

void printVector(std::vector<Vertex> &v)
{
  for(size_t i{}; i < v.size(); ++i ){
    std::cout << "\n------Vector" << i << "--------" << std::endl;
    std::cout << v[i].x << std::endl;
    std::cout << v[i].y << std::endl;
    std::cout << v[i].z << std::endl;
  }
}
于 2021-03-18T18:38:14.377 回答