サーバーに配置するテキストファイル内の文字列を暗号化する要件があり、暗号化及び、複合化を行う関数をまとめてみました。
そのまま張り付けるコード
using System;
using System.IO;
using System.IO.Compression;
using System.Security.Cryptography;
using System.Text;
namespace TestCode.Utility
{
public class AesUtil
{
/// <summary>
/// 共有キー
/// </summary>
private const string AES_KEY = "-SENJU MURAMASA-";
/// <summary>
/// バッファサイズ
/// </summary>
private const int BUFFER_SIZE = 1024 * 4;
/// <summary>
/// 共有キービットサイズ
/// </summary>
private const int KEY_SIZE = 128;
/// <summary>
/// 暗号操作のビットサイズ
/// </summary>
private const int BLOCK_SIZE = 128;
/// <summary>
/// 暗号化
/// </summary>
/// <param name="value">暗号化する文字列</param>
/// <returns>暗号化した文字列</returns>
static public string Encode(string value)
{
// 高度暗号化標準 (AES)
using (AesManaged aes = new AesManaged())
{
// AESインスタンスのパラメータ設定
aes.KeySize = KEY_SIZE;
aes.BlockSize = BLOCK_SIZE;
aes.Mode = CipherMode.CBC;
aes.Key = Encoding.UTF8.GetBytes(AES_KEY);
// 初期化ベクター(IV)の生成
aes.GenerateIV();
// 暗号化オブジェクト生成
ICryptoTransform ct = aes.CreateEncryptor(aes.Key, aes.IV);
// 出力ストリーム
using (MemoryStream outMs = new MemoryStream())
{
// 初期化ベクター(IV)書き込み
outMs.Write(aes.IV, 0, aes.IV.Length);
// 暗号変換のストリーム(暗号化)
using (CryptoStream cs = new CryptoStream(outMs, ct, CryptoStreamMode.Write))
{
// Deflateアルゴリズムを使用したストリーム(圧縮)
using (DeflateStream ds = new DeflateStream(cs, CompressionMode.Compress))
{
// 文字列を書き込む
byte[] buf = Encoding.UTF8.GetBytes(value);
ds.Write(buf, 0, buf.Length);
}
}
// BASE64エンコードして返す
return Convert.ToBase64String(outMs.ToArray());
}
}
}
/// <summary>
/// 複合化
/// </summary>
/// <param name="value">暗号化されている文字列</param>
/// <returns>複合化された文字列</returns>
static public string Decode(string value)
{
// 高度暗号化標準(AES)
using (AesManaged aes = new AesManaged())
{
// AESインスタンスのパラメータ設定
aes.KeySize = KEY_SIZE;
aes.BlockSize = BLOCK_SIZE;
aes.Mode = CipherMode.CBC;
aes.Key = Encoding.UTF8.GetBytes(AES_KEY);
// 暗号化文字列ストリーム生成(BASE64でコード)
using (MemoryStream inMs = new MemoryStream(Convert.FromBase64String(value), false))
{
// 初期化ベクター(IV)読込
byte[] iv = new byte[aes.IV.Length];
inMs.Read(iv, 0, iv.Length);
aes.IV = iv;
// 複合化オブジェクト生成
ICryptoTransform ct = aes.CreateDecryptor(aes.Key, aes.IV);
// 暗号変換のストリーム(複合化)
using (CryptoStream cs = new CryptoStream(inMs, ct, CryptoStreamMode.Read))
{
// Deflateアルゴリズムを使用したストリーム(圧縮解除)
using (DeflateStream ds = new DeflateStream(cs, CompressionMode.Decompress))
{
// 出力ストリーム
using (MemoryStream outMs = new MemoryStream())
{
// 複合化した結果を書き込む
byte[] buf = new byte[BUFFER_SIZE];
for (int size = ds.Read(buf, 0, buf.Length); size > 0; size = ds.Read(buf, 0, buf.Length))
{
outMs.Write(buf, 0, size);
}
// バイナリデータを文字列変換して返す
return Encoding.UTF8.GetString(outMs.ToArray());
}
}
}
}
}
}
}
}