如何将十进制数转换为python中的字节列表

时间:2011-01-04 14:52:44

标签: python byte

如何将long unsigned int转换为十六进制的四个字节的列表?

示例...

777007543 = 0x2E 0x50 0x31 0xB7

5 个答案:

答案 0 :(得分:4)

我能想到的最简单的方法是在列表理解中使用struct module

import struct
print [hex(ord(b)) for b in struct.pack('>L',777007543)]
# ['0x2e', '0x50', '0x31', '0xb7']

获取大写十六进制数字是一个 little 位更复杂,但不是那么糟糕:

import string
import struct
xlate = string.maketrans('abcdef', 'ABCDEF')

print [hex(ord(b)).translate(xlate) for b in struct.pack('>L',777007543)]
# ['0x2E', '0x50', '0x31', '0xB7']

<强>更新

从您的评论中可以看出您可能正在使用Python 3 - 即使您的问题没有“python-3.x”标签 - 而且现在大多数人都在使用更高版本,这里的代码说明如何在两个版本中工作(生成大写十六进制字母):

import struct
import sys

if sys.version_info < (3,):  # Python 2?
    def hexfmt(val):
        return '0x{:02X}'.format(ord(val))
else:
    def hexfmt(val):
        return '0x{:02X}'.format(val)

byte_list = [hexfmt(b) for b in struct.pack('>L', 777007543)]
print(byte_list)  # -> ['0x2E', '0x50', '0x31', '0xB7']

答案 1 :(得分:3)

使用此:

In [1]: hex(777007543)
Out[1]: '0x2e5031b7'

你应该可以从这里重新格式化。

答案 2 :(得分:3)

使用struct module

In [6]: import struct
In [14]: map(hex,struct.unpack('>4B',struct.pack('>L',777007543)))
Out[14]: ['0x2e', '0x50', '0x31', '0xb7']

或者,如果大写很重要,

In [17]: map('0x{0:X}'.format,struct.unpack('>4B',struct.pack('>L',777007543)))
Out[17]: ['0x2E', '0x50', '0x31', '0xB7']

答案 3 :(得分:0)

Struct模块将为您提供实际的字节:

>>> struct.pack('L',777007543)
'.P1\xb7'

答案 4 :(得分:0)

字符串+结构对于这个简单的问题真的有点过分

>>> x=777007543
>>> [hex(0xff&x>>8*i) for i in 3,2,1,0]
['0x2e', '0x50', '0x31', '0xb7']
>>> [hex(0xff&x>>8*i).upper() for i in 3,2,1,0]
['0X2E', '0X50', '0X31', '0XB7']

以下是使用ipython

的快速比较
In [1]: import struct

In [2]: x=777007543

In [3]: timeit [hex(ord(b)) for b in struct.pack('>L',x)]
100000 loops, best of 3: 2.06 us per loop

In [4]: timeit [hex(0xff&x>>8*i) for i in 3,2,1,0]
1000000 loops, best of 3: 1.35 us per loop

In [5]: timeit [hex(0xff&x>>i) for i in 24,16,8,0]
1000000 loops, best of 3: 1.15 us per loop