1 回答

TA貢獻1836條經驗 獲得超5個贊
腳本和 Java 代碼使用 RSA 加密的數據不同:
該腳本生成一個隨機的 48 字節序列并將其存儲在文件中48byterandomvalue.bin。前 32 個字節用作 AES 密鑰,后 16 個字節用作 IV。Key 和 IV 用于PAYLOAD.zip以 CBC 模式使用 AES-256 加密文件并將其存儲為 file PAYLOAD。該文件48byterandomvalue.bin使用 RSA 加密并存儲為 file 000000.00000.TA.840_Key。
在 Java 代碼中,生成隨機 32 字節 AES 密鑰和隨機 16 字節 IV。兩者都用于在 CBC 模式下使用 AES-256 執行加密。AES 密鑰使用 RSA 加密,與未加密的 IV 連接,結果存儲在文件 中000000.00000.TA.840_Key。
腳本和 Java 代碼的文件內容000000.00000.TA.840_Key不同。file 000000.00000.TA.840_Key對于使用腳本邏輯生成的 Java 代碼,未加密的AES 密鑰必須與未加密的 IV 連接,并且必須使用 RSA對該結果進行加密:
...
//byte[] aesKeyb byte-array with random 32-bytes key
//byte[] iv byte-array with random 16-bytes iv
byte[] key_iv = new byte[aesKeyb.length + iv.length];
System.arraycopy(aesKeyb, 0, key_iv, 0, aesKeyb.length);
System.arraycopy(iv, 0, key_iv, aesKeyb.length, iv.length);
...
byte[] RSAEncrypted = RSACipher.doFinal(key_iv);
FileOutputStream out = new FileOutputStream("000000.00000.TA.840_Key");
out.write(RSAEncrypted);
out.close();
...
注意:IV 不必保密,因此不需要加密。僅在生成 Java 代碼中的腳本結果時才需要加密。
另一個問題涉及將任意二進制數據轉換為字符串。如果編碼不合適(例如 ASCII 或 UTF8),這通常會導致數據損壞。所以
...
byte[] encoded = Files.readAllBytes(Paths.get(filePath));
str = new String(encoded, StandardCharsets.US_ASCII); // Doesn't work: ASCII (7-bit) unsuitable for arbitrary bytes, *
...
byte[] AESEncrypted = AESCipher.doFinal(str.getBytes("UTF-8")); // Doesn't work: UTF-8 unsuitable for arbitrary bytes and additionally different from *
String encryptedStr = new String(AESEncrypted); // Doesn't work: UTF-8 unsuitable for arbitrary bytes
...
應替換為
...
byte[] encoded = Files.readAllBytes(Paths.get(filePath));
...
byte[] AESEncrypted = AESCipher.doFinal(encoded);
FileOutputStream out = new FileOutputStream("PAYLOAD");
out.write(AESEncrypted);
out.close();
...
在字符串中存儲任意數據的合適編碼是 Base64,但在這種情況下這不是必需的,因為腳本中也不使用 Base64 編碼。
嘗試這些改變。如果出現其他問題,最好分別key_iv測試 AES 加密、RSA 加密和生成。這使得隔離錯誤變得更加容易。
添加回答
舉報