在Python 3中,将字节转换为十六进制字符串的正确方法是什么?

我看到一个字节的声明。十六进制方法,bytes.decode编解码器,并尝试了其他可能的最小惊讶函数,但没有任何效果。我只想要我的字节为十六进制!


当前回答

如果你想将b'\x61'转换为97或'0x61',你可以尝试这样做:

[python3.5]
>>>from struct import *
>>>temp=unpack('B',b'\x61')[0] ## convert bytes to unsigned int
97
>>>hex(temp) ##convert int to string which is hexadecimal expression
'0x61'

参考:https://docs.python.org/3.5/library/struct.html

其他回答

python 3.8的新功能是,可以将分隔符参数传递给hex函数,如本例所示

>>> value = b'\xf0\xf1\xf2'
>>> value.hex('-')
'f0-f1-f2'
>>> value.hex('_', 2)
'f0_f1f2'
>>> b'UUDDLRLRAB'.hex(' ', -4)
'55554444 4c524c52 4142'

https://docs.python.org/3/library/stdtypes.html#bytes.hex

如果你想将b'\x61'转换为97或'0x61',你可以尝试这样做:

[python3.5]
>>>from struct import *
>>>temp=unpack('B',b'\x61')[0] ## convert bytes to unsigned int
97
>>>hex(temp) ##convert int to string which is hexadecimal expression
'0x61'

参考:https://docs.python.org/3.5/library/struct.html

Python有字节到字节的标准编解码器,可以执行方便的转换,如引号-printable(适合7bits ascii), base64(适合字母数字),十六进制转义,gzip和bz2压缩。在Python 2中,你可以这样做:

b'foo'.encode('hex')

在Python 3中,str.encode / bytes.decode严格用于bytes<->的str转换。相反,你可以这样做,它可以在Python 2和Python 3之间工作(s/encode/decode/g为逆):

import codecs
codecs.getencoder('hex')(b'foo')[0]

从Python 3.4开始,有一个不那么尴尬的选项:

codecs.encode(b'foo', 'hex')

这些misc编解码器也可以在它们自己的模块中访问(base64, zlib, bz2, uu, quopri, binascii);API不太一致,但对于压缩编解码器,它提供了更多的控制。

import codecs
codecs.getencoder('hex_codec')(b'foo')[0]

适用于Python 3.3(因此“hex_codec”而不是“hex”)。

使用binascii模块:

>>> import binascii
>>> binascii.hexlify('foo'.encode('utf8'))
b'666f6f'
>>> binascii.unhexlify(_).decode('utf8')
'foo'

请看这个答案: Python 3.1.1字符串到十六进制