我在java中编写了简单的加密和解密程序。我使用"AES" algorithm
进行加密和解密。
它运行正常,但在加密数据中我得到了"/","="
等特殊字符。
但我不想特别加密数据中的特殊字符" ="运营商。因为它导致我的进一步处理问题。
有没有办法在加密数据中避免使用特殊字符或单"="
运算符。
我用Google搜索了一下,我得到了一些建议,比如将数据转换为哈希码,因此哈希码加密不会包含特殊字符。
但根据建议,哈希码加密不是基于secret key
的,我需要使用secret key
进行加密
我怎么能做到这一点?
任何帮助都会得到满足。 感谢
以下是我用java编写的程序:
public class EncDec
{
private static final String ALGO = "AES";
private static final byte[] keyValue = "1234567891234567".getBytes();
public static void main(String[] args) throws Exception
{
String testData = "ABC";
String enc = encrypt(testData);
System.out.println("Encrypted data: "+enc);
String dec = decrypt(enc);
System.out.println("Decrypted data: "+enc);
}
public static String encrypt(String Data) throws Exception
{
Key key = generateKey();
Cipher c = Cipher.getInstance(ALGO);
c.init(Cipher.ENCRYPT_MODE, key);
byte[] encVal = c.doFinal(Data.getBytes());
String encryptedValue = new BASE64Encoder().encode(encVal);
return encryptedValue;
}
public static String decrypt(String encryptedData) throws Exception
{
try{
Key key = generateKey();
Cipher c = Cipher.getInstance(ALGO);
c.init(Cipher.DECRYPT_MODE, key);
byte[] decordedValue = new BASE64Decoder().decodeBuffer(encryptedData);
byte[] decValue = c.doFinal(decordedValue);
String decryptedValue = new String(decValue);
return decryptedValue;
}catch(Exception e)
{
System.out.println("Something wrong..");
return "";
}
}
private static Key generateKey() throws Exception
{
Key key = new SecretKeySpec(keyValue, ALGO);
return key;
}
}
我的结果如下:
加密数据:/ia3VXrqaaUls7fon4RBhQ==
解密数据:ABC
。
答案 0 :(得分:3)
可以使用网址安全基础64 as defined in RFC 4648 section-5。
要使用URL安全基础64,可以使用the new Base64
class in java.util
(自Java 8起)。如果必须避免=
,则可以指定不使用填充。解码器当然应该以相同的方式配置:
Encoder urlEncoder = java.util.Base64.getUrlEncoder().withoutPadding();
String encoded = urlEncoder.encodeToString(new byte[] { (byte) 0xFF, (byte) 0xE0});
System.out.println(encoded);
Decoder urlDecoder = java.util.Base64.getUrlDecoder();
byte[] decoded = urlDecoder.decode(encoded);
System.out.printf("(byte) 0x%02X, (byte) 0x%02X%n", decoded[0], decoded[1]);
结果:
_-A
(byte) 0xFF, (byte) 0xE0
请注意,使用base 64并简单地删除填充可能不太好。在这种情况下,可能会返回+
和/
个字符,具体取决于输入。
由于许多加密原语的输出 - 特别是那些用于加密的原语 - 与随机无法区分,因此可以随时获取这些字符,即使是相同的明文。
这也是编码结果的URL不太理想的原因;你不知道需要提前转义多少个字符才能使输出大小无法预测。
答案 1 :(得分:0)
而不是转换为base64 encoding
使用HEX encoding
。对我来说这很好用