要使用Java来加密文本,可以使用Java加密标准库中的加密类。下面是一个使用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.security.NoSuchAlgorithmException; import java.util.Base64; public class TextEncryptionExample { public static void main(String[] args) { try { // 生成AES密钥 SecretKey secretKey = generateAESKey(); // 明文 String plaintext = "Hello, World!"; // 加密 String ciphertext = encrypt(plaintext, secretKey); System.out.println("密文: " + ciphertext); // 解密 String decryptedText = decrypt(ciphertext, secretKey); System.out.println("解密后的明文: " + decryptedText); } catch (Exception e) { e.printStackTrace(); } } // 生成AES密钥 public static SecretKey generateAESKey() throws NoSuchAlgorithmException { KeyGenerator keyGenerator = KeyGenerator.getInstance("AES"); keyGenerator.init(128); return keyGenerator.generateKey(); } // 加密 public static String encrypt(String plaintext, SecretKey secretKey) throws Exception { Cipher cipher = Cipher.getInstance("AES"); 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 ciphertext, SecretKey secretKey) throws Exception { Cipher cipher = Cipher.getInstance("AES"); cipher.init(Cipher.DECRYPT_MODE, secretKey); byte[] encryptedBytes = Base64.getDecoder().decode(ciphertext); byte[] decryptedBytes = cipher.doFinal(encryptedBytes); return new String(decryptedBytes, StandardCharsets.UTF_8); } }
这个示例使用了AES算法来加密和解密文本。首先,使用generateAESKey()
方法生成一个AES密钥。然后,使用encrypt()
方法加密明文,并将加密后的密文以Base64编码的形式返回。最后,使用decrypt()
方法解密密文,得到原始的明文。
请注意,这个示例仅用于演示目的,并没有考虑安全性方面的问题。在实际应用中,需要根据具体需求选择合适的加密算法和密钥长度,并采取适当的安全措施。