文字列の暗号化・複合化を行うコードの亜種としてファイルを扱う場合を記載します。
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="src">入力ファイルパス</param>
/// <param name="dst">出力ファイルパス</param>
static public void Encode(string src, string dst)
{
// 高度暗号化標準 (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 (FileStream outFs = new FileStream(dst, FileMode.Create, FileAccess.Write))
{
// 初期化ベクター(IV)書き込み
outFs.Write(aes.IV, 0, aes.IV.Length);
// 暗号変換のストリーム(暗号化)
using (CryptoStream cs = new CryptoStream(outFs, ct, CryptoStreamMode.Write))
{
// Deflateアルゴリズムを使用したストリーム(圧縮)
using (DeflateStream ds = new DeflateStream(cs, CompressionMode.Compress))
{
// 入力ファイルストリーム
using (FileStream inFs = new FileStream(src, FileMode.Open, FileAccess.Read))
{
byte[] buf = new byte[BUFFER_SIZE];
for (int size = inFs.Read(buf, 0, buf.Length); size > 0; size = inFs.Read(buf, 0, buf.Length))
{
// 出力ファイルへ書き込み(圧縮→暗号化→書き込み)
ds.Write(buf, 0, size);
}
}
}
}
}
}
}
/// <summary>
/// 複合化
/// </summary>
/// <param name="src">入力ファイルパス</param>
/// <param name="dst">出力ファイルパス</param>
static public void Decode (string src, string dst)
{
// 高度暗号化標準(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);
// 入力ファイルストリーム
using (FileStream inFs = new FileStream(src, FileMode.Open, FileAccess.Read))
{
// 初期化ベクター(IV)読込
byte[] iv = new byte[aes.IV.Length];
inFs.Read(iv, 0, iv.Length);
aes.IV = iv;
// 複合化オブジェクト生成
ICryptoTransform ct = aes.CreateDecryptor(aes.Key, aes.IV);
// 暗号変換のストリーム(複合化)
using (CryptoStream cs = new CryptoStream(inFs, ct, CryptoStreamMode.Read))
{
// Deflateアルゴリズムを使用したストリーム(圧縮解除)
using (DeflateStream ds = new DeflateStream(cs, CompressionMode.Decompress))
{
// 出力ファイルストリーム
using (FileStream outFs = new FileStream(dst, FileMode.Create, FileAccess.Write))
{
// 複合化した結果を書き込む
byte[] buf = new byte[BUFFER_SIZE];
for (int size = ds.Read(buf, 0, buf.Length); size > 0; size = ds.Read(buf, 0, buf.Length))
{
outFs.Write(buf, 0, size);
}
}
}
}
}
}
}
}
}