11

我对 C++ 和 Google FlatBuffers中的文件流有基本的了解。Schema 文件非常简单,还创建了一个缓冲区并从缓冲区指针中读取。我不明白的是如何将多个缓冲区保存到一个二进制文件中,然后读取该二进制文件以获取任何随机缓冲区。

这是一个带有两个浮点数组的简单模式:

table Car {
    field_a:[float];
    field_b:[float];
}

.

用于构建缓冲区的函数(尽管没有保存文件):

bool save_flatbuf(string file_path, vector<double> vec_a, vector<double> vec_b) {
    flatbuffers::FlatBufferBuilder builder;

    auto vec_floats_a = builder.CreateVector(vec_a, vec_a.size());
    auto vec_floats_b = builder.CreateVector(vec_b, vec_b.size());

    auto mloc = CreateCar(builder, &vec_floats_a, &vec_floats_b);

    builder.Finish(mloc);

    // How to save it into a binary file with a list of "Cars"?
}

.

以及从二进制文件读取缓冲区后读取缓冲区的函数(不读取文件):

bool read_flatbuf(string file_path) {

    // How to get the buffer pointer to a "Car" from a binary file with a "list of Cars" ? .

    vector<double> final_vec_a;
    vector<double> final_vec_b;

    auto car = GetCar(buffer_pointer);

    auto fa = car->field_a();
    auto fb = car->field_b();

    final_vec_a.resize(fa->size());
    for (int i = 0; i < fa->size(); i++) {
        final_vec_a[i] = fa->Get(i);
    }

    final_vec_b.resize(fb->size());
    for (int i = 0; i < fb->size(); i++) {
        final_vec_b[i] = fb->Get(i);
    }
}

不确定访问缓冲区信息的方式是否正确。例如获取数组字段长度的方法。

文件交互的代码示例(在一个文件中写入/读取多个缓冲区)将受到欢迎。

4

4 回答 4

3

将汽车列表添加到您的架构中的最佳方法是:

table Garage {
  cars:[Car];
}

然后您可以收集多个汽车偏移量(来自CreateCar),调用CreateVector它们,调用CreateGarage它,然后将结果提供给Finish.

要阅读,类似地从 开始GetGarage(buffer_pointer)

于 2014-11-08T03:02:03.900 回答
3

将缓冲区存储到二进制文件中的快速参考。

builder.Finish(mloc);
uint8_t *buf = builder.GetBufferPointer();
int size = builder.GetSize();

std::ofstream ofile("data.bin", std::ios::binary);
ofile.write((char *)buf, size);
ofile.close();

从文件中读取:

const std::string inputFile = "data.bin";
std::ifstream infile(inputFile, std::ios_base::binary);
std::vector<char> buffer( std::istreambuf_iterator<char>(infile),
                      std::istreambuf_iterator<char>());
于 2019-01-30T17:39:02.657 回答
3

我的解决方案是添加额外的尺寸信息。

对于作家::

for (item : flatbuffer_list) {
   int size = item.GetSize();
   write (file, &size, sizeof(size));
   write (file, item.GetBufferPointer(), item.GetSize());
}

给读者::

while(!eof(file)) {
   int size;
   read (file, &size, sizeof(size));
   read (file, buffer, size);
   auto item = GetItem(buffer);
}
于 2016-03-22T08:15:27.647 回答
-1

“文件交互的代码示例(在一个文件中写入/读取多个缓冲区)将受到欢迎。”

我在我的测试游戏中使用这样的 fbs 和 json。(生成到 out_cpp 文件夹:gamedata.bin、gamedata.h)

flatc -b -c -o out_cpp gamedata.fbs gamedata.json

我发现这个 flatbuffers 示例第一次非常有用。

https://github.com/gene-hightower/fb

就我而言,除非您使用 flatbuffers::LoadFile() 而不是提供的示例 load_file(),否则 git 示例无法正常工作。

于 2015-04-12T02:12:44.160 回答