使用3DES加密算法进行加密解密
时间:2010-12-10 来源:蒋建华
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.IO;
using System.Security.Cryptography;
namespace Rare.Card.Libary.Security
{
/// <summary>
/// 构造一个对称算法,使用3Des加密
///如果当前的 Key 属性为 NULL,可调用 GenerateKey 方法以创建新的随机 Key。
///如果当前的 IV 属性为 NULL,可调用 GenerateIV 方法以创建新的随机 IV
/// </summary>
public class CryptoTripleDes
{
//加密矢量
private static byte[] IV = { 0xB0, 0xA2, 0xB8, 0xA3, 0xDA, 0xCC, 0xDA, 0xCC };
/// <summary>
/// 使用指定的128字节的密钥对8字节数组进行3Des加密
/// </summary>
/// <param name="keys">密钥,16字节,128位</param>
/// <param name="values">要加密的数组</param>
/// <returns>已加密的数组</returns>
public static byte[] CreateEncryptByte(byte[] keys, byte[] values)
{
TripleDESCryptoServiceProvider tdsc = new TripleDESCryptoServiceProvider();
//指定密匙长度,默认为192位
tdsc.KeySize = 128;
//使用指定的key和IV(加密向量)
tdsc.Key = keys;
tdsc.IV = IV;
//加密模式,偏移
tdsc.Mode = CipherMode.ECB;
tdsc.Padding = PaddingMode.None;
//进行加密转换运算
ICryptoTransform ct = tdsc.CreateEncryptor();
//8很关键,加密结果是8字节数组
byte[] results = ct.TransformFinalBlock(values, 0, 8);
return results;
}
/// <summary>
/// 使用指定的128字节的密钥对字符串(8位)进行3Des加密
/// </summary>
/// <param name="strKey"></param>
/// <param name="strValue"></param>
/// <returns></returns>
public static byte[] CreateEncryptString(string strKey, string strValue)
{
TripleDESCryptoServiceProvider tdsc = new TripleDESCryptoServiceProvider();
byte[] results = new byte[strValue.Length];
tdsc.KeySize = 128;
if (!string.IsNullOrEmpty(strKey))
{
tdsc.Key = Encoding.UTF8.GetBytes(strKey);
}
tdsc.IV = IV;
using (ICryptoTransform ct = tdsc.CreateDecryptor())
{
byte[] byt = Encoding.UTF8.GetBytes(strValue);
results = ct.TransformFinalBlock(byt, 0, 8);
}
return results;
}
/// <summary>
/// 对加密字符串进行解密
/// </summary>
/// <param name="keys">密匙</param>
/// <param name="values">已加密字符串</param>
/// <returns>解密结果</returns>
public static byte[] CreateDescryptByte(byte[] keys, byte[] values)
{
TripleDESCryptoServiceProvider tdsc = new TripleDESCryptoServiceProvider();
//指定密匙长度,默认为192位
tdsc.KeySize = 128;
//使用指定的key和IV(加密向量)
tdsc.Key = keys;
tdsc.IV = IV;
//加密模式,偏移
tdsc.Mode = CipherMode.ECB;
tdsc.Padding = PaddingMode.None;
//进行加密转换运算
ICryptoTransform ct = tdsc.CreateDecryptor();
//8很关键,加密结果是8字节数组
byte[] results = ct.TransformFinalBlock(values, 0, 8);
return results;
}
}
}
测试数据:
16字节密钥:0x31,0x32,0x33,0x34,0x35,0x36,0x37,0x38,0x39,0x3a,0x3b,0x3c,0x3d,0x3e,0x3f,0x30
对:0x11,0x22,0x33,0x44,0x55,0x66,0x77,0x88 八字节明文作3DES加密
得出如下8字节密文:0x3c,0x46,0xea,0x28,0x2f,0xdb,0x64,0x00
参考MSDN的例子:http://msdn.microsoft.com/zh-cn/library/system.security.cryptography.tripledes(VS.80).aspx