下面是一个使用Java语言的示例代码,演示了如何使用AES算法进行加密和解密,同时仅共享密钥,不包含盐或初始化向量。
import javax.crypto.Cipher;
import javax.crypto.spec.SecretKeySpec;
import java.nio.charset.StandardCharsets;
import java.util.Base64;
public class AESExample {
private static final String ALGORITHM = "AES";
private static final String KEY = "mySecretKey12345";
public static String encrypt(String plaintext) throws Exception {
SecretKeySpec secretKeySpec = new SecretKeySpec(KEY.getBytes(StandardCharsets.UTF_8), ALGORITHM);
Cipher cipher = Cipher.getInstance(ALGORITHM);
cipher.init(Cipher.ENCRYPT_MODE, secretKeySpec);
byte[] encryptedBytes = cipher.doFinal(plaintext.getBytes(StandardCharsets.UTF_8));
return Base64.getEncoder().encodeToString(encryptedBytes);
}
public static String decrypt(String ciphertext) throws Exception {
SecretKeySpec secretKeySpec = new SecretKeySpec(KEY.getBytes(StandardCharsets.UTF_8), ALGORITHM);
Cipher cipher = Cipher.getInstance(ALGORITHM);
cipher.init(Cipher.DECRYPT_MODE, secretKeySpec);
byte[] decryptedBytes = cipher.doFinal(Base64.getDecoder().decode(ciphertext));
return new String(decryptedBytes, StandardCharsets.UTF_8);
}
public static void main(String[] args) {
try {
String plaintext = "Hello World!";
String encryptedText = encrypt(plaintext);
System.out.println("Encrypted Text: " + encryptedText);
String decryptedText = decrypt(encryptedText);
System.out.println("Decrypted Text: " + decryptedText);
} catch (Exception e) {
e.printStackTrace();
}
}
}
这个示例代码使用了Java的javax.crypto
包中的Cipher
类来实现AES加密和解密。在加密和解密之前,需要创建一个SecretKeySpec
对象,使用预共享的密钥,该密钥将用于初始化Cipher
对象。加密时,使用Cipher.ENCRYPT_MODE
参数初始化Cipher
对象,然后调用doFinal()
方法对明文进行加密。解密时,使用Cipher.DECRYPT_MODE
参数初始化Cipher
对象,然后调用doFinal()
方法对密文进行解密。最后,使用Base64编码将加密后的字节数组转换为字符串,以便更好地展示和存储。
请注意,密钥是硬编码在代码中的,这只是一个示例。在实际应用中,您应该采用更安全的方式来存储和管理密钥,例如使用密钥管理服务(Key Management Service)或将密钥存储在安全的密钥库中。