我在vb.net中编写了代码来加密内存流中的文件。我还解密文件以及将内存流复制到文件以确保加密/解密工作。我的vb解决方案有效。
但是我需要使用Java解密。当我解密我的文件时,我总是得到额外的“?”文件的最开头的字符,但除此之外,重新排列是完美的。以前有人见过这样的事吗?我必须承认,我的结果来自于仅使用一组数据,但我已经使用新的密钥和向量两次加密它。
一些细节。我在vb中使用AES,PKCS7填充,在Java中使用PKCS5填充。该文件可以是任意长度。任何帮助表示赞赏。
我是通过手机发布的,并且没有方便的代码。我明天可以加。我只是希望这个描述能够与某人敲响。
谢谢, SH
当我在VB中写入MemoryStream时,我声明了一个StreamWriter:
Writer = New IO.StreamWriter(MS, System.Text.Encoding.UTF8)
这是我的VB.NET加密功能。
Public Shared Function WriteEncryptedFile(ms As MemoryStream, FileName As String) As List(Of Byte())
Try
Dim original() As Byte
Dim myAes As System.Security.Cryptography.Aes = Aes.Create()
myAes.KeySize = 128
myAes.Padding = PadMode
Dim keys As New List(Of Byte())
keys.Add(myAes.Key)
keys.Add(myAes.IV)
original = ms.ToArray
Dim encryptor As ICryptoTransform = myAes.CreateEncryptor(myAes.Key, myAes.IV)
Using FileEncrypt As New FileStream(FileName, FileMode.Create, FileAccess.Write)
Using csEncrypt As New CryptoStream(FileEncrypt, encryptor, CryptoStreamMode.Write)
csEncrypt.Write(original, 0, original.Length)
csEncrypt.FlushFinalBlock()
FileEncrypt.Flush()
FileEncrypt.Close()
csEncrypt.Close()
End Using
End Using
Return keys
Catch e As Exception
MsgBox("Error during encryption." & vbCrLf & e.Message)
End Try
Return Nothing
End Function
这是Java解密:
public static void DecryptLIGGGHTSInputFile(String fileIn, String fileOut, String base64Key, String base64IV) throws Exception
{
// Get the keys from base64 text
byte[] key = Base64.decodeBase64(base64Key);
byte[] iv= Base64.decodeBase64(base64IV);
// Read fileIn into a byte[]
int len = (int)(new File(fileIn).length());
byte[] cipherText = new byte[len];
FileInputStream bs = new FileInputStream(fileIn);
bs.read(cipherText, 1, len-1);
System.out.println(cipherText.length);
System.out.println((double)cipherText.length/128);
bs.close();
// Create an Aes object
// with the specified key and IV.
Cipher cipher = null;
cipher = Cipher.getInstance("AES/CBC/PKCS5Padding");
// Encrypt the message.
SecretKey secret = new SecretKeySpec(key, "AES");
/*
cipher.init(Cipher.ENCRYPT_MODE, secret, ivspec);
cipherText = cipher.doFinal("Hello, World!".getBytes("UTF-8"));
System.out.println(cipherText);
*/
cipher.init(Cipher.DECRYPT_MODE, secret , new IvParameterSpec(iv));
String plaintext = new String(cipher.doFinal(cipherText), "UTF-8");
System.out.println(plaintext.length());
FileWriter fw = new FileWriter(fileOut);
fw.write(plaintext);
fw.close();
}
答案 0 :(得分:1)
是一个BOM问题。当我用VB创建MemoryStream时,我用UTF-8编码初始化它。我文件中的第一个字符将流的大小和位置从0字节增加到4字节,而它应该只有一个字节。解决方案是创建一个基于UTF-8的编码,没有字节顺序标记,如下所示:
Dim UTF8EncodingWOBOM As New System.Text.UTF8Encoding(False) 'indicates to omit BOM
Writer = New IO.StreamWriter(MS, UTF8EncodingWOBOM)
我读到here由于存在或缺少字节顺序标记,平台之间存在编码不兼容性的问题,因为它既不推荐也不需要。使用一个是不对的,使用一个并没有错。你基本上必须找到一种方法来处理它们。许多其他文章和帖子提出了不同的方法。要点是要么识别它们并且如果它们存在则处理它们。由于我可以控制写作和阅读,因此完全取消它们也同样有意义。
SH