Моя оболочка TripleDES не работает - PullRequest
0 голосов
/ 20 июля 2011

Сразу же после моего последнего вопроса, связанного с TripleDES , вот мой код оболочки TripleDES, который используется для шифрования и дешифрования целых чисел:

public static class Crypto {

    private static Byte[]    _fixedIv = new Byte[] { /* 8 random bytes, const */ };

    private static TripleDES _tripleDes;
    private static Byte[]    _key;

    static Crypto() {

        _tripleDes = TripleDES.Create();
        _tripleDes.Mode = CipherMode.CFB;

        String key = ConfigurationManager.AppSettings["cryptoKeyId"];
        _key = Convert.FromBase64String( key );
    }

    /// <summary>Encrypts the specified integer using the configuration-stored key.</summary>
    public static String EncryptID(Int32 id) {

        Byte[] input = new Byte[8]; // 64-bit block size
        Byte[] inputLo = BitConverter.GetBytes( id );
        for(int i=0;i<inputLo.Length;i++) input[i] = inputLo[i];

        ICryptoTransform tr = _tripleDes.CreateEncryptor( _key, _fixedIv );

        Byte[] output = new Byte[8];
        tr.TransformBlock( input, 0, input.Length, output, 0 );

        return Convert.ToBase64String( output );
    }

    /// <summary>Decrypts the specified string (storing an integer) using the configuration-stored key.</summary>
    public static Int32 DecryptID(String s) {

        Byte[] ciphertext = Convert.FromBase64String(s);

        ICryptoTransform tr = _tripleDes.CreateDecryptor( _key, _fixedIv );

        Byte[] output = new Byte[8];
        tr.TransformBlock( ciphertext, 0, ciphertext.Length, output, 0 );

        Byte[] outputLo = new Byte[4] { output[0], output[1], output[2], output[3] };
        return BitConverter.ToInt32( outputLo, 0 );
    }

}

Когда я запускаю его, я получаю детерминированные результаты для каждого ввода в EncryptID, но каждый вызов DecryptID возвращает ноль. Я вошел в код и сказал, что все содержимое массива 'output' равно нулю (а tr.TransformBlock возвращает ноль). Кто-нибудь знает, что я делаю не так?

Я пытался позвонить tr.TransformFinalBlock, но получил исключение:

'tr.TransformFinalBlock( ciphertext, 0, ciphertext.Length )' threw an exception of type System.Security.Cryptography.CryptographicException' base {System.SystemException}: {"Bad Data.\r\n"}

1 Ответ

0 голосов
/ 26 июля 2011

Оказывается, что для отдельных блоков я должен использовать TransformFinalBlock как для шифрования, так и для дешифрования.

Мне также пришлось установить algo.Padding в None, чтобы гарантировать, что 8 байтов очистки преобразуются в 8 байтов зашифрованного текста.

...