1

我正在服务器上创建一个公钥/私钥,将公钥发送到 JavaScript 客户端,它使用 cryptico.js 库加密用户密码: https://github.com/wwwtyro/cryptico/blob/master/cryptico。 js

$res = openssl_pkey_new(array( 
  'private_key_bits' => 2048,
  'private_key_type' => OPENSSL_KEYTYPE_RSA,
  'digest_alg' => 'sha256'
));

遵循这篇较早的文章Encrypt with Cryptico.js, Decrypt with OpenSSL的一些建议

//Made Public key compatible with cryptico.js

$detail = openssl_pkey_get_details($res);
$n = base64_encode($detail['rsa']['n']);
$e = bin2hex($detail['rsa']['e']);

$publicKey = "$n|$e";
openssl_pkey_export($res, $privateKey);

file_put_contents("public_key",$publicKey);
file_put_contents("private_key",$privateKey);

按照同一篇文章中的建议,对 cryptico.js 进行了两次修改

my.publicKeyFromString = function(string)
{
  var tokens = string.split("|");
  var N = my.b64to16(tokens[0]);
  var E = tokens.length > 1 ? tokens[1] : "03";
  var rsa = new RSAKey();
  rsa.setPublic(N, E);
  return rsa
}

my.encrypt = function(plaintext, publickeystring, signingkey)
{
  var cipherblock = "";
  try
  {
    var publickey = my.publicKeyFromString(publickeystring);
    cipherblock += my.b16to64(publickey.encrypt(plaintext));
  }
  catch(err)
  {
    return {status: "Invalid public key"};
  } 
  return {status: "success", cipher: cipherblock};
}

现在在客户端js中:

var publicKey = '<php echo file_get_contents("public_key")?>';
var encrypted = cryptico.encrypt("plain text", publicKey);
var data = 'encrypted_post_var='+encrypted.chiper;

然后我通过 AJAX POST 发送数据,我可以通过 $_POST["encrypted_post_var"] 验证它是否已成功接收

在 php 中:

$private = openssl_pkey_get_private(file_get_contents("private_key"));

//!!! THAT is the problem because here openssl_private_decrypt() return FALSE !!!
openssl_private_decrypt(base64_decode($_POST["encrypted_post_var"]), $decrypted, $privateKey); 
4

1 回答 1

1

解决了

最后我找到了一种让它工作的方法:)

在 my.encrypt() 函数中,我更改了这一行:

cipherblock += my.b16to64(publickey.encrypt(plaintext));

cipherblock = publickey.encrypt(plaintext);
//that return the cipherblock (ciphertext) in hex format instead base64

在 php 中,我改变了这一点:

openssl_private_decrypt(base64_decode($_POST["encrypted_post_var"]), $decrypted, $privateKey);

到:

openssl_private_decrypt(pack('H*',$_POST["encrypted_post_var"]), $decrypted, $privateKey);

现在工作良好!

于 2017-04-18T10:43:04.553 回答