如何在go或python中编写struct to file?

时间:2017-09-10 09:25:26

标签: python go

在C / C ++中,我们可以像这样编写一个结构文件:

#include <stdio.h>
struct mystruct
{
    int i;
    char cha;
};

int main(void)
{
    FILE *stream;
    struct mystruct s;
    stream = fopen("TEST.$$$", "wb"))
    s.i = 0;
    s.cha = 'A';
    fwrite(&s, sizeof(s), 1, stream); 
    fclose(stream); 
    return 0;
}

但是如何在go或python中创建一个结构文件?我希望struct中的数据是连续的。

1 个答案:

答案 0 :(得分:2)

在Python中,您可以使用ctypes模块,它允许您生成与C类似的布局结构,并将它们转换为字节数组:

import ctypes

class MyStruct(ctypes.Structure):
    _fields_ = [('i', ctypes.c_int),
                ('cha', ctypes.c_char)]

s = MyStruct()
s.i = 0
s.cha = 'A'

f.write(bytearray(s))

Python中有一种最简单的方法,使用struct.pack并手动提供布局作为第一个参数('ic'表示int后跟一个char):

import struct 
f.write(struct.pack('ic', 0, 'A'))

Go可以通过encoding/binary

对结构进行编码
type myStruct struct {
    i int 
    cha byte
}

s := myStruct{i: 0, cha:'A'}
binary.Write(f, binary.LittleEndian, &s)

注意:您将受到不同结构对齐填充 endianness 的影响,因此如果您需要要构建真正可互操作的程序,请使用Google Protobuf

等特殊格式