如何为Python的MD5模块设置加密密钥?

时间:2009-03-30 13:11:36

标签: python hash md5 hmac

以下Perl代码的Python等价物是什么?

hmac_md5_hex($login . "^" . $seq . "^" . $time . "^" . $amo . "^", $CryptoKey);

Python hashlib.md5似乎没有采用“加密密钥”参数。它只接受1个参数。

3 个答案:

答案 0 :(得分:13)

您必须将hmac module与md5或sha一起使用。默认情况下,它使用md5:

In [1]: import hmac, hashlib
In [2]: hmac.new('key', 'msg').hexdigest()
Out[2]: '18e3548c59ad40dd03907b7aeee71d67'
In [3]: hmac.new('key2', 'msg').hexdigest()
Out[3]: 'a4bde113179bc2a7c6ac9ad7309ea073'
In [4]: hmac.new('key', 'msg', hashlib.sha256).hexdigest()
Out[4]: '2d93cbc1be167bcb1637a4a23cbff01a7878f0c50ee833954ea5221bb1b8c628'

您的示例可能类似于:

hmac.new(CryptoKey, '^'.join([login, seq, time, amo]), hashlib.md5).hexdigest()

答案 1 :(得分:3)

查看this python library documentation about hmac

你可能想要的是:

import hmac
hmac_object = hmac.new(crypto_key)
hmac_object.update('^'.join([login, seq, time, amo, ''])
print hmac_object.hexdigest()

最好使用 .update(),因为这样你不必每次都实例化hmac类,如果你想要大量的十六进制摘要,它会带来严重的性能提升消息。

答案 2 :(得分:0)

另一种解决方案,基于PyCrypto

from Crypto.Hash import HMAC
print HMAC.new(CryptoKey, '^'.join([login, seq, time, amo, ''])).hexdigest()