我在C#.NET中为DES密钥生成KCV时遇到问题
参考this答案,DES密钥“ 0123456789ABCDEF”的KCV为“ D5D44F”(因为仅考虑了前3个字节),并且使用包含64位“ 0”的块生成该KCV。为了验证那是正确的值,我还使用此工具进行了检查,得出的结果相同:
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是否实现了某些错误?
最佳答案
感谢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);
}
}
}
关于c# - 用DES key 计算KCV,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/22002617/