C#字串的幾種加密解密方法
/// <summary>
/// 字串加密元件
/// </summary>
public class Encrypt
{
#region "定義加密字串變數"
private SymmetricAlgorithm mCSP; //宣告對稱演算法變數
private const string CIV = "Mi9l/+7Zujhy12se6Yjy111A"; //初始化向量
private const string CKEY = "jkHuIy9D/9i="; //金鑰(常量)
#endregion
/// <summary>
/// 例項化
/// </summary>
public Encrypt()
{
mCSP = new DESCryptoServiceProvider(); //定義訪問資料加密標準 (DES) 演算法的加密服務提供程式 (CSP) 版本的包裝物件,此類是SymmetricAlgorithm的派生類
}
/// <summary>
/// 加密字串
/// </summary>
/// <param name="Value">需加密的字串</param>
/// <returns></returns>
public string EncryptString(string Value)
{
ICryptoTransform ct; //定義基本的加密轉換運算
MemoryStream ms; //定義記憶體流
CryptoStream cs; //定義將記憶體流連結到加密轉換的流
byte[] byt;
//CreateEncryptor建立(對稱資料)加密物件
ct = mCSP.CreateEncryptor(Convert.FromBase64String(CKEY), Convert.FromBase64String(CIV)); //用指定的金鑰和初始化向量建立對稱資料加密標準
byt = Encoding.UTF8.GetBytes(Value); //將Value字元轉換為UTF-8編碼的位元組序列
ms = new MemoryStream(); //建立記憶體流
cs = new CryptoStream(ms, ct, CryptoStreamMode.Write); //將記憶體流連結到加密轉換的流
cs.Write(byt, 0, byt.Length); //寫入記憶體流
cs.FlushFinalBlock(); //將緩衝區中的資料寫入記憶體流,並清除緩衝區
cs.Close(); //釋放記憶體流
return Convert.ToBase64String(ms.ToArray()); //將記憶體流轉寫入位元組陣列並轉換為string字元
}
/// <summary>
/// 解密字串
/// </summary>
/// <param name="Value">要解密的字串</param>
/// <returns>string</returns>
public string DecryptString(string Value)
{
ICryptoTransform ct; //定義基本的加密轉換運算
MemoryStream ms; //定義記憶體流
CryptoStream cs; //定義將資料流連結到加密轉換的流
byte[] byt;
ct = mCSP.CreateDecryptor(Convert.FromBase64String(CKEY), Convert.FromBase64String(CIV)); //用指定的金鑰和初始化向量建立對稱資料解密標準
byt = Convert.FromBase64String(Value); //將Value(Base 64)字元轉換成位元組陣列
ms = new MemoryStream();
cs = new CryptoStream(ms, ct, CryptoStreamMode.Write);
cs.Write(byt, 0, byt.Length);
cs.FlushFinalBlock();
cs.Close();
return Encoding.UTF8.GetString(ms.ToArray()); //將位元組陣列中的所有字元解碼為一個字串
}
}
/*
需引用如下名稱空間:
System.Security.Cryptography;
System.IO;
*/