0

Can someone guide me how to convert following Oracle PL/SQL code to C#, please?

declare 
   l_encrypted raw (100);
   p_key raw (100);
   p_plain raw(100);
   l_mode number; 
begin
  l_mode := dbms_crypto.ENCRYPT_DES + dbms_crypto.CHAIN_CBC + dbms_crypto.PAD_PKCS5;
  p_key := 'A217B5BEF1477D1A';
  p_plain := '07253075';
  l_encrypted := dbms_crypto.encrypt(UTL_I18N.STRING_TO_RAW(p_plain, 'AL32UTF8'), l_mode, p_key);
  dbms_output.put_line(l_encrypted);
     --outputs this value: E4624E16DB69451A14BE265CDCC5B0AB
end;

My C# code is:

        byte[] value = Encoding.UTF8.GetBytes("07253075");
        byte[] key = Encoding.UTF8.GetBytes("A217B5BEF1477D1A");
        DESCryptoServiceProvider cryptoProvider = new DESCryptoServiceProvider
        {
            Mode = CipherMode.CBC,
            Padding = PaddingMode.PKCS7,
        };
        MemoryStream memoryStream = new MemoryStream();
        CryptoStream cryptoStream = new CryptoStream(memoryStream, cryptoProvider.CreateEncryptor(key, key), CryptoStreamMode.Write);
        cryptoStream.Write(value, 0, value.Length);
        cryptoStream.Close();
        Byte[] encrypted = memoryStream.ToArray();
        MessageBox.Show(string.Join(string.Empty, Array.ConvertAll(encrypted, b => b.ToString("X2"))));

However, it throws CryptographicException complaining of key size. I searched Internet and found out that key size for DES is 8 bytes, but how Oracle encrypted my text? And how can I change my code to get the same output as Oracle?

4

1 回答 1

0

DES 传统上接受 64 位密钥,其中只有 56 位用于加密消息。您可以尝试将 DESCryptoServiceProvider 的 KeySize 属性设置为 128,看看效果如何。

您确定使用了整个密钥吗?对此的DOCO指出:

ENCRYPT_DES 数据加密标准。分组密码。使用 56 位的密钥长度。

我假设只使用了密钥的前 56 位(前 7 个字符)。您可以尝试在 oracle 中使用前 7 个字符运行加密方法,看看输出与所有 16 个字符相比是否相同。

如果是这种情况,并且您真的想要/需要使用 128 位密钥,您应该升级到三重 DES 或 AES。

于 2013-04-30T07:24:22.683 回答