非对称加密算法呢
时间: 2024-02-27 18:55:04 浏览: 73
非对称加密算法是一种加密方式,它使用一对密钥进行加密和解密,其中一个是公钥,另一个是私钥。常见的非对称加密算法有RSA、DSA等。下面是使用RSA非对称加密算法加密和解密的示例代码:
```java
import java.security.KeyPair;
import java.security.KeyPairGenerator;
import java.security.PrivateKey;
import java.security.PublicKey;
import java.security.Signature;
import java.util.Base64;
public class RSAEncryptUtil {
/**
* 生成密钥对
* @return 密钥对
* @throws Exception
*/
public static KeyPair generateKeyPair() throws Exception {
KeyPairGenerator keyPairGenerator = KeyPairGenerator.getInstance("RSA");
keyPairGenerator.initialize(2048);
return keyPairGenerator.generateKeyPair();
}
/**
* 使用私钥进行签名
* @param content 待签名字符串
* @param privateKey 私钥
* @return 签名
* @throws Exception
*/
public static String sign(String content, PrivateKey privateKey) throws Exception {
Signature signature = Signature.getInstance("SHA256withRSA");
signature.initSign(privateKey);
signature.update(content.getBytes());
byte[] signedBytes = signature.sign();
return Base64.getEncoder().encodeToString(signedBytes);
}
/**
* 使用公钥进行验签
* @param content 原始字符串
* @param signature 签名
* @param publicKey 公钥
* @return 验签结果
* @throws Exception
*/
public static boolean verify(String content, String signature, PublicKey publicKey) throws Exception {
Signature sign = Signature.getInstance("SHA256withRSA");
sign.initVerify(publicKey);
sign.update(content.getBytes());
byte[] signedBytes = Base64.getDecoder().decode(signature);
return sign.verify(signedBytes);
}
/**
* 使用公钥进行加密
* @param content 待加密字符串
* @param publicKey 公钥
* @return 加密后的字符串
* @throws Exception
*/
public static String encrypt(String content, PublicKey publicKey) throws Exception {
Cipher cipher = Cipher.getInstance("RSA");
cipher.init(Cipher.ENCRYPT_MODE, publicKey);
byte[] encryptedBytes = cipher.doFinal(content.getBytes());
return Base64.getEncoder().encodeToString(encryptedBytes);
}
/**
* 使用私钥进行解密
* @param content 待解密字符串
* @param privateKey 私钥
* @return 解密后的字符串
* @throws Exception
*/
public static String decrypt(String content, PrivateKey privateKey) throws Exception {
Cipher cipher = Cipher.getInstance("RSA");
cipher.init(Cipher.DECRYPT_MODE, privateKey);
byte[] encryptedBytes = Base64.getDecoder().decode(content);
byte[] decryptedBytes = cipher.doFinal(encryptedBytes);
return new String(decryptedBytes);
}
}
```
在上面的代码中,我们使用了RSA非对称加密算法对字符串进行加密和解密。其中,私钥用于签名和解密,公钥用于验签和加密。
使用RSA算法时,首先需要生成一对密钥,然后使用私钥对字符串进行签名和解密,使用公钥对字符串进行验签和加密。在使用私钥进行签名时,我们使用了SHA256withRSA签名算法。加密后的结果使用Base64编码,解密时需要先进行Base64解码。
使用非对称加密算法时需要注意保护私钥的安全性,避免私钥被泄露导致加密数据被解密或者签名被篡改。
阅读全文