存储,从std :: deque的文件中检索二进制数据或字节?

时间:2013-02-27 21:19:15

标签: c++ file memory-management c++11 deque

我正在为游戏编写一个“重播系统”,我想知道如何存储录制的帧?

至于现在我有这个代码/结构(注意:这段代码缩短了):

struct Point4D { float x, y, z, w; };
struct Point3D { float x, y, z; };
struct Point2D { float x, y; };
struct QuatRot { Point4D Front,Right,Up; };
struct VehicleInfo
{
    Point3D     Pos,Velocity,TurnSpeed;
    QuatRot     Rotation;
};
namespace Recorder
{
    struct FrameInfo
    //~380 bytes / frame| max 45600 bytes @ 120 fps
    //max 3.7 GB raw data for 24 hours of recording, not bad..
    {
        std::chrono::high_resolution_clock::duration time;
        VehicleInfo Vehicle;
        int Nitro;
        float RPM;
        int CurrentGear;
    };

    std::deque<FrameInfo> frames;
    FrameInfo g_Temp;

    void ProcessRecord()
    {
        //record vehicle data here to g_Temp
        frames.push_back(g_Temp);
        return;
    }
    //other recording code.......
};

我想到的是,创建一个原始的字节数组,将其分配给deque容器的大小,将memcpy从deque复制到数组,然后将所有数组字节写入文件.. < / p>

然后,如果我想读取我的录音数据,我只需读取文件的字节并将它们分配给一个新数组,并使用memcpy将数组内容复制到双端队列。

这很像......好吧...... C方式? 还有其他一些方法可以做到这一点,将数据存储在一个文件中,然后将其读回deque(可能使用一些C ++ 11特性?)。

我将如何做到这一点?

您推荐哪种方法?

如果重要的话,我正在使用Windows。

2 个答案:

答案 0 :(得分:1)

memcpy是过早优化。

从磁盘读取内容时,您的瓶颈是磁盘IO,而不是将其从内存的一部分复制到另一部分。

修复您的数据结构,使其使用固定大小的数据结构(而不​​是int,使用32位int等)。

不要在二进制文件中写std::chrono::high_resolution_clock::duration - 库更新可以完全改变它的大小而不会眨眼或流泪,更不用说它的含义了。写出ms或其他东西,所以意义总是保持相同,在(比如说)64位整数中。然后,您可以将其重新读回std::chrono::high_resolution_clock::duration

在序列化时始终写出版本号和结构大小,因此反序列化甚至可以处理基本的版本控制。

我会写一个“流”和“来自流”。 “流”写出版本号和大小。 “from stream”读取版本号和大小,加载当前版本和流版本中的每个字段,清除剩余的字段,然后从流中读取剩余数据。

如果您发现需要更多性能,您会注意到您的汽车的位置和角度将比齿轮更频繁地改变。此外,丢弃在现有帧之间合理插值的帧会大大减小重放格式的大小(在给定描述的情况下,并不像在重放中运行物理一样)。最后,如果你有一个一致的物理模型,那么只能存储用户输入和基于它的重放(但这很难实现)。

其他疯狂:只需在相关结构上调用operator=即可替换SRECORDASSIGN。像0x4C这样适用于指针的幻数是愚蠢的,几乎总是可以用简单的结构成员访问来替换。

答案 1 :(得分:0)

如果我正确地解释了你的问题(我很累,所以如果我错了就请发表评论),你想要在档案中写下你的录音。

这可以通过任何结构轻松完成:

struct Foo
{
   float bar;
   int baz;
};
std::ostream& operator<<(std::ostream& stream, const Foo &foo)
{
   stream << foo.bar << " " << foo.baz;
}
std::ofstream& operator<<(std::ofstream& stream, Foo &foo)
{
   stream.write(reinterpret_cast<char*>(&foo.bar), sizeof(bar));
   stream.write(reinterpret_cast<char*>(&foo.baz), sizeof(baz));
}
std::ifstream& operator>>(std::ifstream& stream, Foo &foo)
{
   stream.read(reinterpret_cast<char*>(&foo.bar), sizeof(bar));
   stream.read(reinterpret_cast<char*>(&foo.baz), sizeof(baz));
}

您可以使用

进行测试
#include <fstream>
#include <iostream>

int main()
{
   Foo foo;
   foo.bar = -1.2f;
   foo.baz = 37;
    std::cout << foo << "\n";
   std::ofstream output;
   output.open("myfile", std::ios::binary);
   output << foo;
   output.close();
   std::ifstream input;
   input.open("myfile", std::ios::binary);
   input >> foo;
   input.close();
   std::cout << foo << "\n";
}

有关std::basic_ostream::writestd::basic::istream::read的详细信息,建议您查看cppreference.com