在Java中,可以使用javax.crypto
包中的類和方法來實現加密和解密。以下是一個簡單的示例,展示了如何使用AES加密算法實現加密和解密。
首先,需要導入所需的類:
import javax.crypto.Cipher;
import javax.crypto.KeyGenerator;
import javax.crypto.SecretKey;
import javax.crypto.spec.SecretKeySpec;
import java.nio.charset.StandardCharsets;
import java.util.Base64;
接下來,創建一個名為CipherUtils
的工具類,用于封裝加密和解密方法:
public class CipherUtils {
private static final String ALGORITHM = "AES";
public static String encrypt(String plainText, SecretKey secretKey) throws Exception {
Cipher cipher = Cipher.getInstance(ALGORITHM);
cipher.init(Cipher.ENCRYPT_MODE, secretKey);
byte[] encryptedBytes = cipher.doFinal(plainText.getBytes(StandardCharsets.UTF_8));
return Base64.getEncoder().encodeToString(encryptedBytes);
}
public static String decrypt(String encryptedText, SecretKey secretKey) throws Exception {
Cipher cipher = Cipher.getInstance(ALGORITHM);
cipher.init(Cipher.DECRYPT_MODE, secretKey);
byte[] decodedBytes = Base64.getDecoder().decode(encryptedText);
byte[] decryptedBytes = cipher.doFinal(decodedBytes);
return new String(decryptedBytes, StandardCharsets.UTF_8);
}
public static SecretKey generateSecretKey() throws Exception {
KeyGenerator keyGenerator = KeyGenerator.getInstance(ALGORITHM);
keyGenerator.init(128);
return keyGenerator.generateKey();
}
}
現在,可以使用CipherUtils
類進行加密和解密操作:
public class Main {
public static void main(String[] args) {
try {
SecretKey secretKey = CipherUtils.generateSecretKey();
String plainText = "Hello, World!";
String encryptedText = CipherUtils.encrypt(plainText, secretKey);
System.out.println("Encrypted text: " + encryptedText);
String decryptedText = CipherUtils.decrypt(encryptedText, secretKey);
System.out.println("Decrypted text: " + decryptedText);
} catch (Exception e) {
e.printStackTrace();
}
}
}
運行上述代碼,將看到加密后的文本以及解密后的原始文本。請注意,為了安全起見,應該妥善保管密鑰,不要將其暴露給未經授權的用戶。