用DES密钥计算KCV

时间:2014-02-25 01:09:21

标签: c# .net cryptography des

我遇到了在C#.NET中为DES密钥生成KCV的问题

关于this回答,DES密钥“0123456789ABCDEF”的KCV是“D5D44F”(因为只考虑前3个字节)它由一个包含64位“0”的块生成。为了验证这是正确的值,我还使用此工具进行了检查,这给了我相同的结果:

http://www.emvlab.org/keyshares/?combined=0123456789ABCDEF&combined_kcv=&one=&one_kcv=&two=&two_kcv=&three=&three_kcv=&numcomp=three&parity=ignore&action=Split

所以我很满意我应该得到D5D44F的KCV。

现在,当我尝试在C#.NET中实现它时,我完全得到了一个不同的值。我最终得到了“7217BF”

这是我的代码:

using System;
using System.IO;
using System.Security.Cryptography;
using System.Text;

namespace ConsoleApplication1
{
    class Program
    {
        static void Main(string[] args)
        {
            Console.WriteLine(GetKCVDES());
            Console.ReadLine();
        }

        public static string GetKCVDES()
        {
            byte[] k = new byte[] { 0x01, 0x23, 0x45, 0x67, 0x89, 0xAB, 0xCD, 0xEF };
            byte[] i = new byte[] { 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00 };
            byte[] d = new byte[] { 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00 };

            DES des = new DESCryptoServiceProvider();
            MemoryStream memoryStream = new MemoryStream();
            CryptoStream cryptoStream = new CryptoStream(memoryStream, des.CreateEncryptor(k, i), CryptoStreamMode.Write);
            StreamWriter writer = new StreamWriter(cryptoStream);

            writer.Write(d);
            writer.Flush();
            cryptoStream.FlushFinalBlock();
            writer.Flush();
            return ByteArrayToString(memoryStream.GetBuffer()).Remove(6);
        }

        public static string ByteArrayToString(byte[] ba)
        {
            StringBuilder hex = new StringBuilder(ba.Length * 2);
            foreach (byte b in ba)
                hex.AppendFormat("{0:x2}", b);
            return hex.ToString().ToUpper();
        }
    }
}

ByteArrayToString函数只是将字节数组转换为十六进制字符串。我还检查了Byte数组,然后才确保ByteArrayToString方法没有给出不同的输出。

我也试过为DES CSP明确强制使用ECB和CBC模式,但无论如何我都得到了相同的结果。

有没有我用DES CSP错误实现的东西?

1 个答案:

答案 0 :(得分:0)

感谢owlstead的评论,我从函数中删除了StreamWriter(开始删除流),它现在给出了预期的输出。

我还没有完全理解这些Stream对象是如何工作的,所以我不知道它现在有效的实际原因,但是通过对GetKCVDES函数的更新,我获得了KCV,我本来想要的(我还使用using语句简化了一点):

public static string GetKCVDES()
{
    byte[] key = new byte[] { 0x01, 0x23, 0x45, 0x67, 0x89, 0xAB, 0xCD, 0xEF };
    byte[] iv = new byte[] { 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00 };
    byte[] data = new byte[] { 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00 };

    DES des = new DESCryptoServiceProvider();

    using (MemoryStream memoryStream = new MemoryStream())
    {
        using (CryptoStream cryptoStream = new CryptoStream(memoryStream, des.CreateEncryptor(key, iv), CryptoStreamMode.Write))
        {
            cryptoStream.Write(data, 0, data.Length);
            cryptoStream.FlushFinalBlock();
            return ByteArrayToString(memoryStream.ToArray()).Remove(6);
        }
    }
}