1

我已经尝试添加 getbytes("UTF") 或 getbytes("UTF-8"),因为它是在类似问题中提出的。它说我们需要在将字节转换为字符串时尝试 UTF,反之亦然。但它仍然不适用于我的代码......请帮助

public class Password1 {

    private static final String ALGO = "AES";
    private static byte[] keyValue = new byte[]{'t','h','y','u','e','f','z','s','y','k','f','l','d','a','b','m'};

    public static void main(String[] args) {
        //Password1 p = new Password1();
        Scanner sc = new Scanner(System.in);
        String i = sc.nextLine();
        System.out.println("Password = "+i);

        try {
            String en = encrypt(i);
            System.out.println(en);
            String dec = decrypt(en);

            System.out.println("Encrypted = " + en);
            System.out.println("Decrypted = " + dec);
        } catch (Exception e) {
            // TODO Auto-generated catch block
            e.printStackTrace();
        }
    }

    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("UTF-8"));
        String encrypted = new BASE64Encoder().encode(encVal);

        return encrypted;
    }

    public static String decrypt(String encrypted) throws Exception {
        Key key = generateKey();
        Cipher c = Cipher.getInstance(ALGO);
        c.init(Cipher.DECRYPT_MODE, key);
        //Byte bencrypted = Byte.valueOf(encrypted);
        byte[] decoded = new BASE64Decoder().decodeBuffer(encrypted);

        byte[] decValue = c.doFinal(decoded);
        String decrypted = new String(decValue);
        return decrypted;
    }

    private static Key generateKey() throws Exception {
        MessageDigest sha = MessageDigest.getInstance("SHA-1");
        keyValue = sha.digest(keyValue);
        keyValue = Arrays.copyOf(keyValue, 16);
        SecretKeySpec key = new SecretKeySpec(keyValue, ALGO);
        return key;
    }

}
4

2 回答 2

3

当您调用时,encrypt()您将密码替换为其哈希,然后使用哈希作为密钥。

然后调用decrypt(),并重新散列哈希,并使用散列散列作为键。因此,您没有使用相同的密钥进行加密和解密。

在 中生成一次main()密钥,并将其作为参数传递给encrypt()and decrypt()。做keyValue最后的。或者更好的是,将其设为 的局部变量main

于 2016-03-07T21:18:18.793 回答
1

在您拥有变量的行Cipher.getInstance(ALGO)ALGO"AES/CBC/PKCS5Padding"或您想要使用的任何其他模式和填充)。这应该可以解决您可能遇到的任何填充问题,就像您现在遇到的那样。

如果你不这样做,我相信你必须自己处理所有的填充逻辑。

JB Nizet 关于如何生成密钥的回答是问题的另一半。

于 2016-03-07T21:12:31.127 回答