0

在我们的应用程序中,我们使用三重 DES 来加密和解密数据。我们在 C# 中有 enc/dec 代码,它使用 24 字节密钥和 12 字节 IV,可以正常工作。现在我们想在 java 中实现相同的代码,但是当我使用 12 字节 IV 时,我在 java 中得到一个错误,说 IV 大小错误。当我四处搜索时,我知道 java 使用 8 字节 IV。现在我很困惑,三重 DES 的 C# 和 JAVA 实现有何不同。还是我错过了什么?

这类似于我们的加密代码

class cTripleDES
{
// define the triple des provider
private TripleDESCryptoServiceProvider m_des = new TripleDESCryptoServiceProvider();

// define the string handler
private UTF8Encoding m_utf8 = new UTF8Encoding();

// define the local property arrays
private byte[] m_key;
private byte[] m_iv;

public cTripleDES(byte[] key, byte[] iv)
{
    this.m_key = key;
    this.m_iv = iv;
}

public byte[] Encrypt(byte[] input)
{
    return Transform(input,
           m_des.CreateEncryptor(m_key, m_iv));
}

public byte[] Decrypt(byte[] input)
{
    return Transform(input,
           m_des.CreateDecryptor(m_key, m_iv));
}

public string Encrypt(string text)
{
    byte[] input = m_utf8.GetBytes(text);
    byte[] output = Transform(input,
                    m_des.CreateEncryptor(m_key, m_iv));
    return Convert.ToBase64String(output);
}

public string Decrypt(string text)
{
    byte[] input = Convert.FromBase64String(text);
    byte[] output = Transform(input,
                    m_des.CreateDecryptor(m_key, m_iv));
    return m_utf8.GetString(output);
}

private byte[] Transform(byte[] input,
               ICryptoTransform CryptoTransform)
{
    // create the necessary streams
    MemoryStream memStream = new MemoryStream();
    CryptoStream cryptStream = new CryptoStream(memStream,
                 CryptoTransform, CryptoStreamMode.Write);
    // transform the bytes as requested
    cryptStream.Write(input, 0, input.Length);
    cryptStream.FlushFinalBlock();
    // Read the memory stream and
    // convert it back into byte array
    memStream.Position = 0;
    byte[] result = memStream.ToArray();
    // close and release the streams
    memStream.Close();
    cryptStream.Close();
    // hand back the encrypted buffer
    return result;
}

}

这就是我们使用它的方式:

string IVasAString = "AkdrIFjaQrRQ";
byte[] iv = Convert.FromBase64String(IVasAString);
byte[] key = ASCIIEncoding.UTF8.GetBytes(KEY);

// instantiate the class with the arrays
cTripleDES des = new cTripleDES(key, iv);
string output = des.Encrypt("DATA TO BE ENCRYPTED");

4

2 回答 2

2

TripleDES 具有64 位块大小。您需要在 C#中使用8 字节 IV 。

于 2013-01-16T06:25:07.043 回答
0

得到了答案。来自 apache 通用框架(commons.codec.binary.Base64)的 decodeBase64 方法是必要的。感谢 mfanto 的提醒。!

于 2013-01-16T06:39:33.550 回答