尝试使用javax.crypto库加密字符串并将其存储在数据库(Oracle)中。我稍后需要解密这个字符串,所以我需要一个双向算法。
问题是数据库似乎没有接受该方法创建的一些加密字符。我们正在将数据库迁移到新服务器之间。旧数据库使用US7ASCII字符集,而新数据库使用AL32UTF8。当我将加密的字符串放入数据库时,数据库只是将它们转换为US7ASCII数据库中的问号(?)。它似乎在AL32UTF8数据库中存储得很好。
所以,我必须使这种交叉兼容。我在使用getBytes()方法时尝试向其发送不同的StandardCharsets值,但它似乎没有帮助。也许我错过了什么。我能用不同的方式获得所需的结果吗?
这是我生成密文的代码。从StackOverflow上的另一篇文章修改
import java.io.PrintStream;
import javax.crypto.Cipher;
import javax.crypto.spec.SecretKeySpec;
import java.nio.charset.StandardCharsets;
public class test
{
public static void main(String[] args)
throws Exception
{
//byte[] encryptionKey = "Es6XYPkgCV75J95Y".getBytes(StandardCharsets.UTF_8);
byte[] encryptionKey = "Es6XYPkgCV75J95Y".getBytes(StandardCharsets.ISO_8859_1);
//byte[] plainText = args[0].getBytes(StandardCharsets.UTF_8);
byte[] plainText = args[0].getBytes(StandardCharsets.ISO_8859_1);
MyCrypto aes = new MyCrypto(encryptionKey);
byte[] cipherText = aes.encrypt(plainText);
byte[] decryptedCipherText = aes.decrypt(cipherText);
System.out.println(new String(plainText));
System.out.println(new String(cipherText));
System.out.println(new String(decryptedCipherText));
}
}
class MyCrypto
{
private byte[] key;
private static final String ALGORITHM = "AES";
public MyCrypto(byte[] key)
{
this.key = key;
}
/**
* Encrypts the given plain text
*
* @param plainText The plain text to encrypt
*/
public byte[] encrypt(byte[] plainText) throws Exception
{
SecretKeySpec secretKey = new SecretKeySpec(key, ALGORITHM);
Cipher cipher = Cipher.getInstance(ALGORITHM);
cipher.init(Cipher.ENCRYPT_MODE, secretKey);
return cipher.doFinal(plainText);
}
/**
* Decrypts the given byte array
*
* @param cipherText The data to decrypt
*/
public byte[] decrypt(byte[] cipherText) throws Exception
{
SecretKeySpec secretKey = new SecretKeySpec(key, ALGORITHM);
Cipher cipher = Cipher.getInstance(ALGORITHM);
cipher.init(Cipher.DECRYPT_MODE, secretKey);
return cipher.doFinal(cipherText);
}
}
答案 0 :(得分:5)
加密数据时,您将其转换为二进制数据。听起来你正试图将它存储为角色数据,这是一个坏主意。
你真的有两个选择;
使用二进制文本方案(如Base64)对加密的二进制数据进行编码。然后,您可以将编码数据存储为字符数据。当你想要检索它时,你会在解密之前读取字符数据并解码(文本到二进制)。
将加密的二进制数据存储为二进制(例如,作为BLOB)。