5

请注意,我在这里遇到的问题是密钥大小。起初,根据以下代码中包含的注释,我认为我的密钥需要是 24 字节(192 位)。这没有用,所以我试了一下 16、32 和 8 字节键 - 似乎没有任何效果。“不工作”是指在我的文本被加密和解密后,它的值与我的原始文本不同。

例子:

原文: 'Example test this should work '

加密文本: ¸¹pÕô6

解密文本: 'Example '

这是我正在使用的两个函数(加密/解密函数)。我还将包括我如何调用每个函数。

        // 168-bit (three-key) 3DES (Triple-DES) encrypt a single 8-byte block (ECB mode)
        // plain-text should be 8-bytes, key should be 24 bytes.
        public byte[] TripleDesEncryptOneBlock(byte[] plainText, byte[] key)
        {
            // Create a new 3DES key.
            TripleDESCryptoServiceProvider des = new TripleDESCryptoServiceProvider();

            // Set the KeySize = 192 for 168-bit DES encryption.
            // The msb of each byte is a parity bit, so the key length is actually 168 bits.

            des.KeySize = 192;
            des.Key = key;
            des.Mode = CipherMode.ECB;
            des.Padding = PaddingMode.None;

            ICryptoTransform ic = des.CreateEncryptor();

            byte[] enc = ic.TransformFinalBlock(plainText, 0, 8);

            return enc;
        }

        public byte[] TripleDesDecryptBlock(byte[] plainText, byte[] key)
        {
            // Create a new 3DES key.
            TripleDESCryptoServiceProvider des = new TripleDESCryptoServiceProvider();

            // Set the KeySize = 192 for 168-bit DES encryption.
            // The msb of each byte is a parity bit, so the key length is actually 168 bits.
            des.KeySize = 192;
            des.Key = key;
            des.Mode = CipherMode.ECB;
            des.Padding = PaddingMode.None;

            ICryptoTransform ic = des.CreateDecryptor();

            byte[] dec = ic.TransformFinalBlock(plainText, 0, 8);

            return dec;
        }

// Encrypt Text
textBox5.Text = ByteToString(TripleDesEncryptOneBlock(StringToByte(textBox5.Text), StringToByte("1 2 3 4 5 6 7 8 9 1 1 2 ")));

// Decrypt Text
textBox5.Text = ByteToString(TripleDesDecryptBlock(StringToByte(textBox5.Text), StringToByte("1 2 3 4 5 6 7 8 9 1 1 2 ")));

感谢您的任何帮助,

埃文

4

3 回答 3

2

线索在您正在使用的函数的名称中: TripleDesEncryptOneBlock

此方法仅加密输入字符串的一个块(8 字节或 64 位)。要加密整个字符串,您需要链接多次调用此方法。

于 2011-08-09T01:01:28.553 回答
2

用这个:

byte[] enc = ic.TransformFinalBlock(plainText, 0, plainText.Length);

我希望它会加密/解密你的整个字符串。此外,您无需多次调用此方法

于 2012-12-12T07:20:50.107 回答
0

你的问题在这里:

byte[] dec = ic.TransformFinalBlock(plainText, 0, 8);
                                                  ^

你只对数组的前 8 个字符进行编码所以当你解码时,只有这 8 个字符要解码,结果是'Example '.

如果要对所有文本进行编码,则必须增加该值。PaddingMode.None但请注意,如果要编码的数组的长度不是 8 的倍数,则使用它会失败。

我在我的文本中添加了一些填充,如下所示:

int length = plainText.Length / 8;
if(plainText.Length%8 > 0)
{
    length++;
}
byte[] paddedText = new byte[length * 8];
plainText.CopyTo(paddedText, 0);
byte[] enc = ic.TransformFinalBlock(paddedText, 0, length * 8);
于 2020-03-19T12:26:39.297 回答