0

几天来,我一直在尝试了解 TripleDES 的加密/解密代码。而且我在google上看过很多代码,下面显示的代码就是其中之一。

static void Main(string[] args)
    {

        string original = "Here is some data to encrypt!";
        TripleDESCryptoServiceProvider myTripleDES = new TripleDESCryptoServiceProvider();
        byte[] encrypted = EncryptStringToBytes(original, myTripleDES.Key, myTripleDES.IV);
        string encrypt = Convert.ToBase64String(encrypted);
        string roundtrip = DecryptStringFromBytes(encrypted, myTripleDES.Key, myTripleDES.IV);
        Console.WriteLine("encryted:   {0}", encrypt);
        Console.WriteLine("Round Trip: {0}", roundtrip);
        Console.ReadLine();
    }



    static byte[] EncryptStringToBytes(string plainText, byte[] Key, byte[] IV)
    {

        byte[] encrypted; 
        using (TripleDESCryptoServiceProvider tdsAlg = new TripleDESCryptoServiceProvider())
        {
            tdsAlg.Key = Key;
            tdsAlg.IV = IV;
            ICryptoTransform encryptor = tdsAlg.CreateEncryptor(tdsAlg.Key, tdsAlg.IV);
            using (MemoryStream msEncrypt = new MemoryStream())
            {
                using (CryptoStream csEncrypt = new CryptoStream(msEncrypt, encryptor, CryptoStreamMode.Write))
                {
                    using (StreamWriter swEncrypt = new StreamWriter(csEncrypt))
                    {
                        swEncrypt.Write(plainText);
                    }
                    encrypted = msEncrypt.ToArray();
                }
            }
        }
        return encrypted;
    }


    static string DecryptStringFromBytes(byte[] cipherText, byte[] Key, byte[] IV)
    { 
        string plaintext = null; 
        using (TripleDESCryptoServiceProvider tdsAlg = new TripleDESCryptoServiceProvider())
        {
            tdsAlg.Key = Key;
            tdsAlg.IV = IV;
            ICryptoTransform decryptor = tdsAlg.CreateDecryptor(tdsAlg.Key, tdsAlg.IV);
            using (MemoryStream msDecrypt = new MemoryStream(cipherText))
            {
                using (CryptoStream csDecrypt = new CryptoStream(msDecrypt, decryptor, CryptoStreamMode.Read))
                {
                    using (StreamReader srDecrypt = new StreamReader(csDecrypt))
                    {
                        plaintext = srDecrypt.ReadToEnd();
                    }
                }
            }

        }

        return plaintext;

    } 

代码中没有错误。我工作正常。但奇怪的是,我注意到纯文本从未被编码过。没有类似Encoding.Unicode.GetBytes(plainText);Encoding.UTF8.GetBytes(plainText);类似的线。所以,我的问题是,(在代码中)作为字符串的纯文本如何转换为加密字节?流中是否有任何工作?如果是这样,那么在哪里以及如何?据我了解,在将字符串转换为字节的流之间没有这样的线。那么,如果没有这种基本转换,整体代码是如何工作的呢?

更新:此代码真的是有效代码吗?

4

2 回答 2

1

您正在将明文发送到行中的加密流swEncrypt.Write(plaintext)。这会进行字节转换。

于 2014-05-26T20:17:57.653 回答
1

StreamWriter正在做编码。使用的构造函数指定 UTF-8 编码:

此构造函数使用 UTF-8 编码创建一个没有字节顺序标记 (BOM) 的 StreamWriter

于 2014-05-26T20:19:01.093 回答