我试图通过这种方式使用Python将由整数组成的2D数组转换为大端二进制文件:
import struct;
fh=open('file.bin','wb')
for i in range(width):
for j in range(height):
fh.write(struct.pack('>i2',data[i,j]))
fh.close()
当我用numpy打开它时:
a=np.fromfile('file.bin',dtype='>i2')
结果是原始数据之间带有零的数组:
[266, 0, 267, 0, 268,
0, 272, 0, 268, 0, 264, 0, 266, 0, 264, 0, 263, 0,
263, 0, 267, 0, 263, 0, 265, 0, 266, 0, 266, 0, 267,
0, 267, 0, 266, 0, 265, 0, 270, 0, 270, 0, 270, 0,
272, 0, 273, 0, 275, 0, 274, 0, 275]
这是我想要获得的:
[266, 267, 268, 272, 268, 264, 266, 264, 263,
263, 267, 263, 265, 266, 266, 267,
267, 266, 265, 270, 270, 270, 272, 273, 275, 274, 275]
你知道我的代码出了什么问题吗?
答案 0 :(得分:2)
首先,整数长度为4个字节。当您使用struct.pack模块打包整数时,将其强制为2个字节的块,将整数拆分为两个短整数;一个具有实际值的重要块和另一个具有零的重要块。
因此,当您通过numpy读取它时,它会使用尾随零加载值。
至于如何解决它,只需替换'> i2'的格式字符串。到'>我'从numpy包装和装载。它应该给你预期的结果。
答案 1 :(得分:1)
用i2
替换I2
对我有用。
a = np.fromfile('file.bin',dtype='>I2')
然后,np.fromfile
行为似乎很奇怪(它说>i2
是int16,但当你明确说np.int16
时,它会输出其他内容。
In [63]: np.fromfile('npfile.bin',dtype='>i2')
Out[63]: array([ 0, 345, 0, 245, 0, 345, 0, 245], dtype=int16)
In [64]: np.fromfile('npfile.bin',dtype=np.int32)
Out[64]: array([1493237760, -184549376, 1493237760, -184549376], dtype=int32)
In [65]: np.fromfile('npfile.bin',dtype=np.uint32)
Out[65]: array([1493237760, 4110417920, 1493237760, 4110417920], dtype=uint32)
In [66]: np.fromfile('npfile.bin',dtype=np.int16)
Out[66]: array([ 0, 22785, 0, -2816, 0, 22785, 0, -2816], dtype=int16)