json_encode()
本身并不提供加密功能,它主要用于将 PHP 数组或对象转换为 JSON 字符串
openssl_random_pseudo_bytes()
生成一个密钥):$key = openssl_random_pseudo_bytes(32); // 生成一个 32 字节的随机密钥
openssl_encrypt()
和 openssl_decrypt()
的示例:function encrypt($data, $key) {
$ivlen = openssl_cipher_iv_length('AES-256-CBC');
$iv = openssl_random_pseudo_bytes($ivlen);
$ciphertext = openssl_encrypt($data, 'AES-256-CBC', $key, 0, $iv);
return base64_encode($iv . $ciphertext);
}
function decrypt($data, $key) {
$data = base64_decode($data);
$ivlen = openssl_cipher_iv_length('AES-256-CBC');
$iv = substr($data, 0, $ivlen);
$ciphertext = substr($data, $ivlen);
return openssl_decrypt($ciphertext, 'AES-256-CBC', $key, 0, $iv);
}
json_encode()
将加密后的数据转换为 JSON 字符串:$data = [
'name' => 'John Doe',
'age' => 30,
'email' => 'john.doe@example.com'
];
$encryptedData = encrypt($data, $key);
$jsonEncryptedData = json_encode(['encryptedData' => $encryptedData]);
现在,你可以将加密后的 JSON 字符串存储在数据库中或通过 API 发送。
当需要解密数据时,只需对 JSON 字符串进行解码,然后使用 json_decode()
将其转换回数组,并使用之前定义的 decrypt()
函数进行解密:
$jsonDecryptedData = json_decode($jsonEncryptedData, true);
$encryptedData = $jsonDecryptedData['encryptedData'];
$decryptedData = decrypt($encryptedData, $key);
$decryptedArray = json_decode($decryptedData, true);
print_r($decryptedArray);
请注意,这个示例仅用于演示目的。在实际应用中,你可能需要考虑更多的安全性和错误处理。