我想将 10 个字符(仅限字母数字)字符串加密为 16 或 32 个字符的字母数字字符串。
我正在加密的字符串是一个资产标签。所以它本身不携带任何信息,但我想将所有有效的可能字符串隐藏在更大的可能字符串组中。我希望加密字符串是一个很好的方法。
是否可以使用 Python PyCrypto 库来做到这一点?
这是我发现的有关使用 PyCrypto 的示例。
我想将 10 个字符(仅限字母数字)字符串加密为 16 或 32 个字符的字母数字字符串。
我正在加密的字符串是一个资产标签。所以它本身不携带任何信息,但我想将所有有效的可能字符串隐藏在更大的可能字符串组中。我希望加密字符串是一个很好的方法。
是否可以使用 Python PyCrypto 库来做到这一点?
这是我发现的有关使用 PyCrypto 的示例。
你最好使用简单的散列(这就像一种方式加密)。为此,只需使用 md5 函数制作摘要,然后对其进行 base64 或 base16 编码。请注意,base64 字符串可以包括 +、= 或 /。
import md5
import base64
def obfuscate(s):
return base64.b64encode( md5.new(s).digest())
def obfuscate2(s):
return base64.b16encode( md5.new(s).digest())
# returns alphanumeric string but strings can also include slash, plus or equal i.e. /+=
print obfuscate('Tag 1')
print obfuscate('Tag 2')
print obfuscate('Tag 3')
# return hex string
print obfuscate2('Tag 1')
正如所评论的那样,md5 正在迅速失去其安全性,因此如果您希望将来拥有更可靠的东西,请使用下面的 SHA-2 示例。
import hashlib
def obfuscate(s):
m = hashlib.sha256()
m.update(s)
return m.hexdigest()
print obfuscate('Tag 1')
print obfuscate('Tag 2')
print obfuscate('Tag 3')
还有一个功能 - 这次使用 SHA-2 生成大约 96 位 * 的摘要并截断输出,以便我们可以将其限制为 16 个字母字符。这稍微增加了碰撞的机会,但对于大多数实际目的来说应该足够好。
import hashlib
import base64
def obfuscate(s):
m = hashlib.sha256()
m.update(s)
hash = base64.b64encode(m.digest(), altchars="ZZ") # make one way base64 encode, to fit characters into alphanum space only
return hash[:16] # cut of hash at 16 chars - gives about 96 bits which should
# 96 bits means 1 in billion chance of collision if you have 1 billion tags (or much lower chance with fewer tags)
# http://en.wikipedia.org/wiki/Birthday_attack
print obfuscate('Tag 1')
print obfuscate('Tag 2')
print obfuscate('Tag 3')
*实际摘要只有 95.2 位,因为我们使用 62 个字符的字母表进行编码。
>>> math.log(62**16,2)
95.26714096618998
要使字符串更长,您可以尝试以下操作;
像这样:
import bz2
import base64
base64.b64encode(bz2.compress('012345'))
这将产生:
'QlpoOTFBWSZTWeEMDLgAAAAIAH4AIAAhgAwDJy7i7kinChIcIYGXAA=='
由于 bzip2 标头,前 13 个字符将始终相同,因此您应该丢弃它们;
base64.b64encode(bz2.compress('012345'))[14:]
这给出了:
'EMDLgAAAAIAH4AIAAhgAwDJy7i7kinChIcIYGXAA=='
请注意,这不是加密安全的;如果您知道使用的配方,那么反转是微不足道的:
foo = base64.b64encode(bz2.compress('012345'))
bz2.decompress(base64.b64decode(foo))
给出:
'012345'
我认为shake256符合您的需求:
您需要安装 pycryptodome。
https://pycryptodome.readthedocs.io/en/latest/src/hash/shake256.html
#!/usr/bin/env python
from Crypto.Hash import SHAKE256
from binascii import hexlify
def encrypt_shake256(s, hash_size):
shake = SHAKE256.new()
shake.update(s.encode())
return hexlify(shake.read(hash_size//2))
def main():
hash = encrypt_shake256("holahola", 16)
print(hash)
print(len(hash))
if __name__ == '__main__':
main()
输出:
b'c126f8fb14fb21d8'
16
是的,您也可以使用 PyCrypto :
from Crypto.Hash import SHA256
aHash = SHA256.new("somethingToHash")
print(aHash.hexdigest()) #will print out the hashed password
Crypto.Hash 模块来自于安装 pycrypto 模块 ( sudo pip install pycrypto
)。
这与 hashlib 基本相同,但是 PyCrypto 库带有加密模块。