Я провожу некоторое время, изучая, как использовать библиотеку RijndaelManaged в .NET, и разработал следующую функцию для проверки шифрования текста с небольшими изменениями из библиотеки MSDN:
Function encryptBytesToBytes_AES(ByVal plainText As Byte(), ByVal Key() As Byte, ByVal IV() As Byte) As Byte()
' Check arguments.
If plainText Is Nothing OrElse plainText.Length <= 0 Then
Throw New ArgumentNullException("plainText")
End If
If Key Is Nothing OrElse Key.Length <= 0 Then
Throw New ArgumentNullException("Key")
End If
If IV Is Nothing OrElse IV.Length <= 0 Then
Throw New ArgumentNullException("IV")
End If
' Declare the RijndaelManaged object
' used to encrypt the data.
Dim aesAlg As RijndaelManaged = Nothing
' Declare the stream used to encrypt to an in memory
' array of bytes.
Dim msEncrypt As MemoryStream = Nothing
Try
' Create a RijndaelManaged object
' with the specified key and IV.
aesAlg = New RijndaelManaged()
aesAlg.BlockSize = 128
aesAlg.KeySize = 128
aesAlg.Mode = CipherMode.ECB
aesAlg.Padding = PaddingMode.None
aesAlg.Key = Key
aesAlg.IV = IV
' Create a decrytor to perform the stream transform.
Dim encryptor As ICryptoTransform = aesAlg.CreateEncryptor(aesAlg.Key, aesAlg.IV)
' Create the streams used for encryption.
msEncrypt = New MemoryStream()
Using csEncrypt As New CryptoStream(msEncrypt, encryptor, CryptoStreamMode.Write)
Using swEncrypt As New StreamWriter(csEncrypt)
'Write all data to the stream.
swEncrypt.Write(plainText)
End Using
End Using
Finally
' Clear the RijndaelManaged object.
If Not (aesAlg Is Nothing) Then
aesAlg.Clear()
End If
End Try
' Return the encrypted bytes from the memory stream.
Return msEncrypt.ToArray()
End Function
Вот фактический код, который я вызываю encryptBytesToBytes_AES () с:
Private Sub btnEncrypt_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles btnEncrypt.Click
Dim bZeroKey As Byte() = {&H0, &H0, &H0, &H0, &H0, &H0, &H0, &H0, &H0, &H0, &H0, &H0, &H0, &H0, &H0, &H0}
PrintBytesToRTF(encryptBytesToBytes_AES(bZeroKey, bZeroKey, bZeroKey))
End Sub
Тем не менее, я получаю исключение на swEncrypt.Write(plainText)
о том, что «Длина данных для шифрования недопустима».
Однако я знаю, что размер моего ключа, iv и открытого текста составляет 16 байт == 128 бит == aesAlg.BlockSize. Почему выдает это исключение? Это потому, что StreamWriter пытается создать строку (якобы с некоторой кодировкой), и ему не нравится & H0 в качестве значения?
РЕДАКТИРОВАТЬ: я думаю, что мне нужно придумать новый способ шифрования массива байтов, кроме использования StreamWriter. Гандер на странице MSDN показывает, что сначала будет выполняться преобразование строк, чего я не хочу. Есть идеи?