0

我需要为每次运行 AES(在 JAVA 中)生成不同的令牌,因为我所做的是System.currentTimeMillis()在 java 中使用当前系统时间附加要加密的字符串,并使用管道字符“|”分隔它们。但是面临的问题是每次运行的加密字符串都是相同的,并且在解密时我得到了正确的字符串。为什么会这样?

加密代码:

import java.security.Key;

import javax.crypto.Cipher;
import javax.crypto.spec.SecretKeySpec;

import org.apache.commons.codec.binary.Base64;

public class AESEncryptor {
    private static final String ALGO = "AES";
    private final static byte[] keyValue =new byte[] { 'T', 'h', 'e', 'B', 'e', 's', 't','S', 'e', 'c', 'r','e', 't', 'K', 'e', 'y' };

    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());
            byte[] encryptedValue = Base64.encodeBase64(encVal);
            String encryptedPass = new String (encryptedValue);
            return encryptedPass;
        }

    public static String decrypt(String encryptedData) throws Exception {
        Key key = generateKey();
        Cipher c = Cipher.getInstance(ALGO);
        c.init(Cipher.DECRYPT_MODE, key);
        Base64.decodeBase64(encryptedData);
        byte[] decordedValue =  Base64.decodeBase64(encryptedData);
        byte[] decValue = c.doFinal(decordedValue);
        String decryptedValue = new String(decValue);
        return decryptedValue;
    }

    private static Key generateKey() throws Exception {
        Key key = new SecretKeySpec(keyValue, ALGO);
        return key;
    }

}


1st run :
argument passed to encrypt : somepassword|1364311519852
encrypted string : 5pQ1kIC+8d81AD7zbLOZA==(encrypted string)
decrypted string : somepassword|1364311519852

2nd run : 
argument passed to encrypt : somepassword|1364311695048
encrypted string : 5pQ1kIC+8d81AD7zbLOZA==(same encrypted string as before)
decrypted string : somepassword|1364311695048

有人可以帮助为什么会这样吗?

4

1 回答 1

0

虽然我仍然不相信你可以解密你的输出(我相信@user93353 提供的输出)。ECB 模式并不理想,您可能应该切换到 CBC。

private static final String ALGO = "AES/CBC/PKCS7Padding";

添加一个随机生成的 IV,将其添加到您的密文中,即使您一遍又一遍地加密相同的文本,您的密文将完全看起来像随机数据。

由于您提到了令牌一词,这表明您正在使用密文来保证真实性,这不是 aes 自己提供的。我认为您应该认真研究经过身份验证的加密,特别是 encrypt(aes-cbc)-then-mac(hmac),您可以在其中将密文的 mac 和 iv 附加到密文的末尾。

于 2013-03-26T16:31:29.403 回答