使用Java,写一段json数据加密的代码
时间: 2023-12-29 15:02:22 浏览: 86
下面是一个使用Java进行JSON数据加密的简单示例:
```java
import javax.crypto.Cipher;
import javax.crypto.spec.SecretKeySpec;
import org.apache.commons.codec.binary.Base64;
public class JsonEncryptionExample {
public static void main(String[] args) throws Exception {
// JSON 数据
String jsonData = "{\"name\":\"John\", \"age\":30}";
// 对称加密算法 AES 密钥,长度必须是 16、24 或 32 字节
String secretKey = "my_secret_key_1234";
// 加密
byte[] encryptedBytes = encrypt(jsonData.getBytes(), secretKey.getBytes());
// Base64 编码
String encryptedJson = Base64.encodeBase64String(encryptedBytes);
System.out.println("Encrypted JSON: " + encryptedJson);
}
public static byte[] encrypt(byte[] plainTextBytes, byte[] keyBytes) throws Exception {
SecretKeySpec secretKeySpec = new SecretKeySpec(keyBytes, "AES");
Cipher cipher = Cipher.getInstance("AES");
cipher.init(Cipher.ENCRYPT_MODE, secretKeySpec);
return cipher.doFinal(plainTextBytes);
}
}
```
这里使用了对称加密算法 AES 进行加密,密钥长度为 16 字节。加密后的数据使用 Base64 进行编码,以便在网络上传输。
阅读全文