// 範囲を塗りつぶす処理 private static void _Fill(PixelManipulator d, int dx, int dy, int size, byte r, byte g, byte b) { for (int y = -size; y <= size; y++) { for (int x = -size; x <= size; x++) { if (y == -size || y == size || x == -size || x == size) { d.SetPixel(dx + x, dy + y, 0, 255, 0); } else { d.SetPixel(dx + x, dy + y, r, g, b); } } } }
// 引数で渡されたビットマップ画像を 2 値化します public static Bitmap Apply(Bitmap source, byte threshold = 128) { // ビットマップ画像から全てのピクセルを抜き出す PixelManipulator s = PixelManipulator.LoadBitmap(source); PixelManipulator d = s.Clone(); // しきい値の設定 byte[] thr_array = new byte[256]; int i; for (i = 0; i < threshold; i++) { thr_array[i] = (byte)0; } for (; i < 256; i++) { thr_array[i] = (byte)255; } // 全てのピクセルを巡回する s.EachPixel((x, y) => { // 2 値化する // グレースケール化されてることが前提なのでrgbは同じ値と仮定 byte color = thr_array[s.R(x, y)]; d.SetPixel(x, y, color, color, color); }); // 新しいビットマップ画像を作成して、ピクセルをセットする return(d.CreateBitmap()); }
// 引数で渡されたビットマップ画像にメディアンフィルタを適用します public static Bitmap Apply(Bitmap source, int size = 3) { // ビットマップ画像から全てのピクセルを抜き出す PixelManipulator s = PixelManipulator.LoadBitmap(source); PixelManipulator d = s.Clone(); // 範囲チェック if (size < 3) { size = 3; } if (size > 9) { size = 9; } size--; size /= 2; // 全てのピクセルを巡回する s.EachPixel((x, y) => { byte r = _Median(s.RangeR(x, y, size)); byte g = _Median(s.RangeG(x, y, size)); byte b = _Median(s.RangeB(x, y, size)); d.SetPixel(x, y, r, g, b); }); // 新しいビットマップ画像を作成して、ピクセルをセットする return(d.CreateBitmap()); }
// 引数で渡されたビットマップ画像をグレースケール化します public static Bitmap Apply(Bitmap source) { // ビットマップ画像から全てのピクセルを抜き出す PixelManipulator s = PixelManipulator.LoadBitmap(source); PixelManipulator d = s.Clone(); // 全てのピクセルを巡回する s.EachPixel((x, y) => { // グレースケールにする byte r = s.R(x, y); byte g = s.G(x, y); byte b = s.B(x, y); byte color = _GrayScale(r, g, b); d.SetPixel(x, y, color, color, color); }); // 新しいビットマップ画像を作成して、ピクセルをセットする return(d.CreateBitmap()); }
// 引数で渡されたビットマップ画像にラプラシアンフィルタを適用します public static Bitmap Apply(Bitmap source) { // ビットマップ画像から全てのピクセルを抜き出す PixelManipulator s = PixelManipulator.LoadBitmap(source); PixelManipulator d = s.Clone(); // フィルタを作成する float[] filter = _CreateLaplacianFilter(); // 全てのピクセルを巡回する s.EachPixel((x, y) => { byte r = _Laplacian(filter, s.RangeR(x, y, 1)); byte g = _Laplacian(filter, s.RangeG(x, y, 1)); byte b = _Laplacian(filter, s.RangeB(x, y, 1)); d.SetPixel(x, y, r, g, b); }); // 新しいビットマップ画像を作成して、ピクセルをセットする return(d.CreateBitmap()); }