在Python中加密字符串。限制仅用于字母数字的字符

时间:2012-07-02 19:05:59

标签: python encryption hash pycrypto

我想将10个字符(仅限字母数字)字符串加密为16或32个字符的字母数字字符串。

我正在加密的字符串是资产标签。因此,它本身不携带任何信息,但我想在更大的可能字符串组中隐藏所有有效的可能字符串。我希望加密字符串是一个很好的方法。

是否可以使用Python PyCrypto库执行此操作?

Here is an example我发现使用PyCrypto。

4 个答案:

答案 0 :(得分:4)

你最好使用简单的散列(就像单向加密一样)。要做到这一点,只需使用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

答案 1 :(得分:3)

要使字符串更长,您可以尝试以下操作;

  • 首先用bzip2压缩它
  • 然后使用base64编码再次使其可读

像这样:

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'

答案 2 :(得分:1)

是的,你也可以使用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库附带了加密模块。

答案 3 :(得分:1)

我认为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