2012-05-12 75 views
9

我想使用C#加密字符串并使用Python对其进行解密。加密/解密部分按预期工作(即,我能够解密最初加密的字符串)。然而,Python返回的字符串在开始时有2个额外的字节,每个字符之间用空格分隔。在Python中解密使用.NET加密的字符串

**Original string** (before encryption -- encrypted using C#) = "Something you want to keep private with AES" 

**Decrypted string** (using Python) = "��S o m e t h i n g y o u w a n t t o k e e p p r i v a t e w i t h A E S" 

为什么我在字符串的开头得到这两个额外的字节?为什么解密字符串中的所有空格?任何想法为什么?

谢谢!

加密用C#

public static string Encrypt<T>(string value, string password, string salt) 
     where T : SymmetricAlgorithm, new() 
{ 
    DeriveBytes rgb = new Rfc2898DeriveBytes(password, Encoding.Unicode.GetBytes(salt)); 

    SymmetricAlgorithm algorithm = new T(); 

    byte[] rgbKey = rgb.GetBytes(algorithm.KeySize >> 3); 
    byte[] rgbIV = rgb.GetBytes(algorithm.BlockSize >> 3); 

    ICryptoTransform transform = algorithm.CreateEncryptor(rgbKey, rgbIV); 

    using (MemoryStream buffer = new MemoryStream()) 
    { 
     using (CryptoStream stream = new CryptoStream(buffer, transform, CryptoStreamMode.Write)) 
     { 
      using (StreamWriter writer = new StreamWriter(stream, Encoding.Unicode)) 
      { 
       writer.Write(value); 
      } 
     } 

     return Convert.ToBase64String(buffer.ToArray()); 
    } 
} 


string plain = "Something you want to keep private with AES"; 
string encrypted = CipherUtility.Encrypt<AesManaged>(plain, "password", "salt"); 

解密与Python + pycrypto

import base64, sys 
import Crypto.Cipher.AES 

password = base64.b64decode('PSCIQGfoZidjEuWtJAdn1JGYzKDonk9YblI0uv96O8s=') # See rgbKey 
salt = base64.b64decode('ehjtnMiGhNhoxRuUzfBOXw==') # See rgbIV 
aes = Crypto.Cipher.AES.new(password, Crypto.Cipher.AES.MODE_CBC, salt) 
text = base64.b64decode('QpHn/fnraLswwI2Znt1xTaBzRtDqO4V5QI78jLOlVsbvaIs0yXMUlqJhQtK+su2hYn28G2vNyLkj0zLOs+RIjElCSqJv1aK/Yu8uY07oAeStqRt4u/DVUzoWlxdrlF0u') 

print aes.decrypt(text) 
+0

如何解密使用Python的.NET RSA算法加密? – Neo

回答

10

的字符串被编码为使用UTF-16编码字节。前两个字节是BOM。然后每个字符被编码为两个字节。

从文档Encoding.Unicode

获取用于使用所述小端排序的字节顺序的UTF-16格式编码。

要获取原始字符串,您需要将其从UTF-16字节解码回Unicode字符串。

print aes.decrypt(text).decode('utf-16') 
+1

哇!谢谢Mark!现在我正在使用utf-16对字符串进行解码(如您所建议的那样),结果字符串是:“您希望保持AES的私密性”。任何想法如何摆脱最后4个字符? – Martin

+1

尝试将SymmetricAlgorithm的填充设置为零http://msdn.microsoft.com/en-us/library/system.security.cryptography.symmetricalgorithm.padding。默认情况下,它使用PKCS7 –

+1

我正在寻找一种在.net/C#中加密并在python中解密的方法,并且遇到了这篇文章..我也得到了填充。我的额外E字符显示为“test2ЄЄ”。我试图从PKCS7的.net端更改PaddingMode为无,它没有区别? –