struct模块的主要功能是根据一些特定的格式字符串来解析和构建二进制数据。这些格式字符串指定了数据的布局和类型,以及如何将数据打包(pack)到二进制形式或从二进制形式解包(unpack)。
pack(format, v1, v2, ...)
unpack(format, buffer)
calcsize(format)
Format | C Type | Python | 字节数 |
---|---|---|---|
x | pad byte | no value | 1 |
c | char | string of length 1 | 1 |
b | signed char | integer | 1 |
B | unsigned char | integer | 1 |
? | _Bool | bool | 1 |
h | short | integer | 2 |
H | unsigned short | integer | 2 |
i | int | integer | 4 |
I (大写的 i) | unsigned int | integer or long | 4 |
l (小写的 L) | long | integer | 4 |
L | unsigned long | long | 4 |
q | long long | long | 8 |
Q | unsigned long long | long | 8 |
f | float | float | 4 |
d | double | float | 8 |
s | char[] | string | 1 |
p | char[] | string | 1 |
P | void * | long | 8 |
Character | Byte order | Size and alignment |
---|---|---|
@ | native | native 凑够4个字节 |
= | native | standard 按原字节数 |
< | little-endian | standard 按原字节数 |
> | big-endian | standard 按原字节数 |
! | network (= big-endian) | standard 按原字节数 |
比如有一个结构体
struct Header
{
unsigned short id;
char[4] tag;
unsigned int version;
unsigned int count;
}
通过socket.recv接收到了一个上面的结构体数据,存在字符串s中,现在需要把它解析出来,可以使用 unpack() 函数.
import struct
id, tag, version, count = struct.unpack("!H4s2I", s)
格式字符串:“!H4s2I”
把本地数据再pack成struct格式
ss = struct.pack("!H4s2I", id, tag, version, count);
import struct
# 打包
packed_data = struct.pack('i', 42)
print(packed_data) # b'*\x00\x00\x00'
# 解包
unpacked_data = struct.unpack('i', packed_data)
print(unpacked_data) # (42,)