在Android中进行加密和解密操作通常使用Java的加密库和算法。下面是一个使用AES加密/解密的示例代码:
import javax.crypto.Cipher;
import javax.crypto.spec.SecretKeySpec;
import android.util.Base64;
public class EncryptionUtils {
private static final String ALGORITHM = "AES";
private static final String KEY = "your_key_here";
public static String encrypt(String value) throws Exception {
SecretKeySpec secretKeySpec = new SecretKeySpec(KEY.getBytes(), ALGORITHM);
Cipher cipher = Cipher.getInstance(ALGORITHM);
cipher.init(Cipher.ENCRYPT_MODE, secretKeySpec);
byte[] encryptedBytes = cipher.doFinal(value.getBytes());
return Base64.encodeToString(encryptedBytes, Base64.DEFAULT);
}
public static String decrypt(String encryptedValue) throws Exception {
SecretKeySpec secretKeySpec = new SecretKeySpec(KEY.getBytes(), ALGORITHM);
Cipher cipher = Cipher.getInstance(ALGORITHM);
cipher.init(Cipher.DECRYPT_MODE, secretKeySpec);
byte[] decryptedBytes = cipher.doFinal(Base64.decode(encryptedValue, Base64.DEFAULT));
return new String(decryptedBytes);
}
}
在上面的示例中,encrypt()
方法使用AES算法对传入的字符串进行加密,并返回Base64编码后的加密结果。decrypt()
方法则对加密后的字符串进行解密。
你需要将KEY
替换为你自己的密钥。请注意,密钥的长度必须符合AES算法的要求,通常为16字节(128位)、24字节(192位)或32字节(256位)。
使用示例:
try {
String originalText = "Hello, World!";
String encryptedText = EncryptionUtils.encrypt(originalText);
String decryptedText = EncryptionUtils.decrypt(encryptedText);
Log.d("EncryptionUtils", "Original Text: " + originalText);
Log.d("EncryptionUtils", "Encrypted Text: " + encryptedText);
Log.d("EncryptionUtils", "Decrypted Text: " + decryptedText);
} catch (Exception e) {
e.printStackTrace();
}
上面的代码将输出原始文本、加密后的文本和解密后的文本。