PHP三种方式读取RSA密钥加解密、签名验签完整教程
<?php
// 引入必要的加密库
require 'vendor/autoload.php';
// 使用Composer安装的phpseclib库
use phpseclib3\Crypt\RSA;
use phpseclib3\Crypt\Random;
// 生成RSA密钥对
$rsa = RSA::createKey();
$privateKey = $rsa->getPrivateKey();
$publicKey = $rsa->getPublicKey();
// 方式1:使用openssl函数
$plaintext = 'Hello, world!';
openssl_public_encrypt($plaintext, $encrypted, $publicKey); // 公钥加密
openssl_private_decrypt($encrypted, $decrypted, $privateKey); // 私钥解密
// 方式2:使用phpseclib库
$rsa = RSA::loadPublicKey($publicKey);
$encrypted = $rsa->encrypt($plaintext);
$rsa = RSA::loadPrivateKey($privateKey);
$decrypted = $rsa->decrypt($encrypted);
// 方式3:使用phpseclib进行签名验签
$rsa = RSA::loadPrivateKey($privateKey);
$signature = $rsa->sign($plaintext);
$rsa = RSA::loadPublicKey($publicKey);
$isVerified = $rsa->verify($plaintext, $signature);
// 输出结果
echo "Original Message: $plaintext\n";
echo "Encrypted Message: " . base64_encode($encrypted) . "\n";
echo "Decrypted Message: $decrypted\n";
echo "Signature: " . base64_encode($signature) . "\n";
echo "Is Verified: " . ($isVerified ? 'true' : 'false') . "\n";
这段代码展示了如何在PHP中使用三种不同的方法来进行RSA加密、解密、签名和验签。首先,我们生成了一对RSA密钥,然后使用openssl_public_encrypt
和openssl_private_decrypt
来进行基本的加密和解密。接着,我们使用phpseclib库来进行更多的操作,包括加密、解密、签名和验签。最后,我们输出了原始消息、加密消息、解密消息、签名以及验签结果。
评论已关闭