0

首先,我在 Java/Android 中创建了一个小的加密/解密程序。这没什么特别的,只是非常基本,所以没有缓冲区或任何东西。在那里使用了 Iv 和 Salt 我在文件开头写了 salt 和 iv (24 bytes) 。第一个版本能够加密/解密一个文件,并且两个文件最终的二进制文件相同。

现在我尝试不一次读取和处理整个文件,而是使用缓冲区(大小为 1024 字节)分步进行。我将我的更改cipher.doFinal为多个 cipher.update,cipher.doFinal最后一个为空。

加密:

byte[] salt = {1, 2, 3, 4, 5, 6, 7, 8};
byte[] iv = {23, 45, 23, 12 , 39, 111, 90, 1, 2, 3, 4, 5, 6, 7, 8, 9};

FileInputStream fis = new FileInputStream(f);
byte[] buffer = new byte[1024];

byte[] output = new byte[24];
cpyArray(iv, output, 0);
cpyArray(salt, output, 16);

FileOutputStream fos = new FileOutputStream(new File(f.getPath() + ".enc"));
fos.write(output);


Cipher cipher = getcCipher(pass, salt,iv, Cipher.ENCRYPT_MODE);

for(int length; (length = fis.read(buffer)) > 0; ) { 
    byte[] realbuffer = new byte[length];
    if (length != 1024) {
        cpyArrayUntil(buffer, realbuffer, 0, length);
    } else {
        realbuffer = buffer;
    }
    byte[] chipped = cipher.update(realbuffer)
    fos.write(chipped);
    System.out.println("Chipped: " + chipped.length);
}
cipher.doFinal();
fis.close();
fos.close();

解密:

 Cipher cipher = getcCipher(pass, salt, iv, Cipher.DECRYPT_MODE);
byte[] buffer = new byte[1024];
for(int length; (length = fis.read(buffer)) > 0; ) {
    byte[] realbuffer = new byte[length];
    if (length != 1024) {
        cpyArrayUntil(buffer, realbuffer, 0, length);
    } else {
        realbuffer = buffer;
    }
    byte[] chipped = cipher.update(realbuffer)
    fos.write(chipped);
    System.out.println("Chipped: " + chipped.length);
}
cipher.doFinal();

所以,现在的问题是,当我运行它并最后比较文件时,
1. 我在解密时在 doFinal 上得到了 BadPaddingExeption。和
2. 被加密和解密的文件在文件末尾缺少 29 个字节。

不用担心,IV 和盐通常是随机的,只是静态测试。

此外,丢失的字节取决于文件大小。刚刚尝试了另一个文件,它缺少 21 个字节。

4

1 回答 1

0

您正在丢弃doFinal()加密和解密例程中的输出。它们都返回 a byte[],它也必须写入您的输出,以使加密的密文或解密的明文完整且有效。

于 2015-08-11T18:00:03.323 回答