想知道通过openssl将AES_128_CTR加密转换为PyCrypto的正确方法。
首先,我对openssl进行了如下加密:
openssl enc -aes-128-ctr -in input.mp4 -out output.openssl.mp4 -K 7842f0a1ebc38f44e3e0c81943f68582 -iv d01f40dfc8ec8cd9然后,我尝试通过PyCrypto做同样的事情:
from Crypto.Cipher import AES
from Crypto.Util import Counter
key = '7842f0a1ebc38f44e3e0c81943f68582'
iv = 'd01f40dfc8ec8cd9'
ctr_e = Counter.new(128, initial_value=int(iv, 16))
encryptor = AES.new(key.decode('hex'), AES.MODE_CTR, counter=ctr_e)
with open('output.pycrypto.mp4', 'wb') as fout:
with open('input.mp4', 'rb') as fin:
fout.write(encryptor.encrypt(fin.read()))我想他们应该是相似的,但事实并非如此:
diff output.openssl.mp4 output.pycrypto.mp4
Binary files output.openssl.mp4 and output.pycrypto.mp4 differ发布于 2014-11-11 21:43:05
OpenSSL的行为符合预期(幸运的是,在命令行中缺少对此事实的文档),并使用给定的IV作为大端计数器的最左边字节。换句话说,给定的字节是16字节计数器中最重要的部分。问题中的代码使用IV作为初始计数器值,即它被解释为计数器中最不重要的部分。
现在,我花了一些时间来修复Python代码,因为我必须处理的Counter类有两个问题:
因此,没有进一步的担心:
from Crypto.Cipher import AES
from Crypto.Util import Counter
key = '7842f0a1ebc38f44e3e0c81943f68582'.decode('hex')
iv = 'd01f40dfc8ec8cd9'.decode('hex')
ctr_e = Counter.new(64, prefix=iv, initial_value=0)
encryptor = AES.new(key, AES.MODE_CTR, counter=ctr_e)
with open('output.pycrypto.mp4', 'wb') as fout:
with open('input.mp4', 'rb') as fin:
fout.write(encryptor.encrypt(fin.read()))https://stackoverflow.com/questions/26835539
复制相似问题