如何编码/解码一个简单的字符串

时间:2013-07-08 19:56:36

标签: python encryption hash sha

我对加密非常陌生,我需要将类似'ABC123'的简单字符串编码为与'3d3cf25845f3aae505bafbc1c8f16d0bfdea7d70f6b141c21726da8d'类似的字符串。

我首先尝试过这个:

>>> import base64
>>> q = 'ABC123'
>>> w = base64.encodestring(q)
>>> w
'QUJDMTIz\n'

但是要做到这一点,我需要更长的时间,而不是尝试这个:

>>> import hashlib
>>> a = hashlib.sha224(q)
>>> a.hexdigest()
'3d3cf25845f3aae505bafbc1c8f16d0bfdea7d70f6b141c21726da8d'

这很好,但现在我不知道如何将其转换回来。如果有人可以帮助我使用这个例子或建议别的东西,我怎么能把一个小字符串编码/解码成更长的东西,那就太棒了。

更新

基于plockc回答,我做了这个,似乎有效:

from Crypto.Cipher import AES # encryption library

BLOCK_SIZE = 32

# the character used for padding--with a block cipher such as AES, the value
# you encrypt must be a multiple of BLOCK_SIZE in length.  This character is
# used to ensure that your value is always a multiple of BLOCK_SIZE
PADDING = '{'

# one-liner to sufficiently pad the text to be encrypted
pad = lambda s: s + (BLOCK_SIZE - len(s) % BLOCK_SIZE) * PADDING

# one-liners to encrypt/encode and decrypt/decode a string
# encrypt with AES, encode with base64
EncodeAES = lambda c, s: base64.b64encode(c.encrypt(pad(s)))
DecodeAES = lambda c, e: c.decrypt(base64.b64decode(e)).rstrip(PADDING)

# create a cipher object using the random secret
cipher = AES.new('aaaaaaaaaa123456')

# encode a string
encoded = EncodeAES(cipher, 'ABC123')
print 'Encrypted string: %s' % encoded

# decode the encoded string
decoded = DecodeAES(cipher, encoded)
print 'Decrypted string: %s' % decoded

1 个答案:

答案 0 :(得分:3)

您可能需要详细说明如何使用它以及为什么,因为您刚刚打开Pandora的盒子:)

编码是可逆的,只应用于使数据适合其他东西(如只能使用文本时的基本64位二进制数据),哈希(如sha224)不应该是可逆的。

如果您要验证输入密码的用户,请将其哈希(使用sha224)并存储哈希值,然后当用户再次输入密码时,您将对其条目进行哈希并进行比较。这是简化版,您还需要添加“salt”以避免简单的“字典攻击”。我不会详细说明,因为那不是你问的问题。

要快速回答您的问题,您需要一个加密库,例如密码AES-128,它具有密钥和密钥,您可以恢复原始数据。库中将有一些关于如何创建密钥的细节(它必须是特定长度并且将被操纵以使其成为该长度)。如果您的密钥基于简单密码,请查看PBKDF2,它使用弱密码生成强加密密钥。

不要将hmac混淆为加密(hmac使用其他功能,如散列函数sha224),如果消息的接收者与发送者共享一个hmac密钥,他们可以“验证”消息可以来自发送者,它没有改变。

祝你好运!

P.S。如果你真的想开始挖掘,这是一本好书: 密码工程:设计原则和实际应用

一个流行的相关答案: https://stackoverflow.com/a/4948393/1322463

维基百科也有很好的文章。