问题描述
我正在尝试使用node.js进行如下加密(node.js v0.10.33):
I am trying to encrypt using node.js as follows (node.js v0.10.33):
var crypto = require('crypto');
var assert = require('assert');
var algorithm = 'aes256'; // or any other algorithm supported by OpenSSL
var key = 'mykey';
var text = 'this-needs-to-be-encrypted';
var cipher = crypto.createCipher(algorithm, key);
var encrypted = cipher.update(text, 'utf8', 'hex') + cipher.final('hex');
console.log('encrypted', encrypted, encrypted.length)
/*
var decipher = crypto.createDecipher(algorithm, key);
try {
var decrypted = decipher.update(encrypted, 'hex', 'utf8') + decipher.final('utf8');
} catch (e) {
console.error('Couldnt decipher encrypted text. Invalid key provided', e)
} finally {
assert.equal(decrypted, text);
}
*/
如何使用<$解密加密的文本py2.7上的c $ c> PyCrypto(v2.6.1)?
推荐答案
使用。
You should be using crypto.createCipheriv
as stated in https://nodejs.org/api/crypto.html#crypto_crypto_createcipher_algorithm_password.
以下答案假定您将代码段更改为使用 crypto。 createCipheriv
,如下所示:
The answer below assumes you change your snippet to use crypto.createCipheriv
, as following:
var crypto = require('crypto');
var assert = require('assert');
var algorithm = 'aes256'; // or any other algorithm supported by OpenSSL
var key = '00000000000000000000000000000000';
var iv = '0000000000000000';
var text = 'this-needs-to-be-encrypted';
var cipher = crypto.createCipheriv(algorithm, key, iv);
var encrypted = cipher.update(text, 'utf8', 'hex') + cipher.final('hex');
console.log('encrypted', encrypted, encrypted.length)
加密的文本 b88e5f69c7bd5cd67c9c12b9ad73e8c1ca948ab26da01e6dad0e7f95448e79f4
。
带有显式密钥和IV的Python解决方案:
Python Solution with explicit key and IV:
from Crypto import Random
from Crypto.Cipher import AES
BS = 16
def pad(data):
padding = BS - len(data) % BS
return data + padding * chr(padding)
def unpad(data):
return data[0:-ord(data[-1])]
def decrypt_node(hex_data, key='0'*32, iv='0'*16):
data = ''.join(map(chr, bytearray.fromhex(hex_data)))
aes = AES.new(key, AES.MODE_CBC, iv)
return unpad(aes.decrypt(data))
def encrypt_node(data, key='0'*32, iv='0'*16):
aes = AES.new(key, AES.MODE_CBC, iv)
return aes.encrypt(pad(data)).encode('hex')
print(encrypt_node('this-needs-to-be-encrypted'))
print(decrypt_node('b88e5f69c7bd5cd67c9c12b9ad73e8c1ca948ab26da01e6dad0e7f95448e79f4'))
如果继续使用普通的 crypto.createCipher
,您将需要使用。
If you keep using plain crypto.createCipher
you will need to derive the key
and iv
from the password using https://www.openssl.org/docs/man1.0.2/crypto/EVP_BytesToKey.html.
这篇关于使用node.js加密aes256加密并使用python2.7 PyCrypto解密的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!