23

十六进制编解码器是否已从 python 3.3 中排除?当我写代码时

>>> s="Hallo"
>>> s.encode('hex')
Traceback (most recent call last):
  File "<pyshell#24>", line 1, in <module>
    s.encode('hex')
LookupError: unknown encoding: hex

这意味着什么?我知道 binascii.hexlify() 但仍然 .encode() 方法很好!有什么建议吗?

4

2 回答 2

45

不,使用encode()hexlify 不好。

您使用hex编解码器的方式在 Python 2 中有效,因为您可以在 Python 2 中调用encode()8 位字符串,即您可以对已经编码的内容进行编码。那没有意义。encode()用于将 Unicode 字符串编码为 8 位字符串,而不是将 8 位字符串编码为 8 位字符串。

在 Python 3 中,您不能再调用encode()8 位字符串,因此hex编解码器变得毫无意义并被删除。

虽然理论上你可以有一个hex编解码器并像这样使用它:

>>> import codecs
>>> hexlify = codecs.getencoder('hex')
>>> hexlify(b'Blaah')[0]
b'426c616168'

使用 binascii 更容易更好:

>>> import binascii
>>> binascii.hexlify(b'Blaah')
b'426c616168'
于 2012-11-18T06:03:04.993 回答
0

这与上面的答案相同,但我对其进行了修改,因此它适用于 python 3。

import binascii
from Crypto.Cipher import AES
from Crypto import Random

def encrypt(passwrd, message):
    msglist = []
    key = bytes(passwrd, "utf-8")
    iv = Random.new().read(AES.block_size)
    cipher = AES.new(key, AES.MODE_CFB, iv)
    msg = iv + cipher.encrypt(bytes(message, "utf-8"))
    msg = binascii.hexlify(msg)
    for letter in str(msg):
        msglist.append(letter)
    msglist.remove("b")
    msglist.remove("'")
    msglist.remove("'")
    for letter in msglist:
        print(letter, end="")
    print("")

def decrypt(passwrd, message):
    msglist = []
    key = bytes(passwrd, "utf-8")
    iv = Random.new().read(AES.block_size)
    cipher = AES.new(key, AES.MODE_CFB, iv)
    msg = cipher.decrypt(binascii.unhexlify(bytes(message, "utf-8")))[len(iv):]
    for letter in str(msg):
        msglist.append(letter)
    msglist.remove("b")
    msglist.remove("'")
    msglist.remove("'")
    for letter in msglist:
        print(letter, end="")
    print("")
于 2018-02-20T12:13:14.240 回答