如何在Python 3.2或更高版本中使用'hex'编码?

问题描述 投票:27回答:4

在Python 2中,要获得字符串中十六进制数字的字符串表示,您可以这样做

>>> '\x12\x34\x56\x78'.encode('hex')
'12345678'

在Python 3中,它不再起作用(在Python 3.2和3.3上测试):

>>> '\x12\x34\x56\x78'.encode('hex')
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
LookupError: unknown encoding: hex

这里至少有one answer提到在Python 3中删除了hex编解码器。但是,according to the docs,它在Python 3.2中重新引入,作为“字节到字节映射”。

但是,我不知道如何使这些“字节到字节映射”工作:

>>> b'\x12'.encode('hex')
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
AttributeError: 'bytes' object has no attribute 'encode'

而且文档也没有提到(至少不是我看的地方)。我一定错过了一些简单的东西,但我看不出它是什么。

python encoding python-3.x hex
4个回答
27
投票

您需要通过codecs模块和hex_codec编解码器(或其hex别名,如果可用*):

codecs.encode(b'\x12', 'hex_codec')

*来自文档:“在版本3.4中更改:恢复二进制转换的别名”。


13
投票

使用binascii.hexlify()的另一种方式:

>>> import binascii
>>> binascii.hexlify(b'\x12\x34\x56\x78')
b'12345678'

10
投票

使用base64.b16encode()

>>> import base64
>>> base64.b16encode(b'\x12\x34\x56\x78')
b'12345678'

6
投票

顺便说一句,binascii方法更容易:

>>> import binascii
>>> x=b'test'
>>> x=binascii.hexlify(x)
>>> x
b'74657374'
>>> y=str(x,'ascii')
>>> y
'74657374'
>>> x=binascii.unhexlify(x)
>>> x
b'test'
>>> y=str(x,'ascii')
>>> y
'test'
© www.soinside.com 2019 - 2024. All rights reserved.