C#のWinFormsで画像加工アプリ6「LUTによるガンマ補正」

コンピュータ

LUTを使ってガンマ補正を行います。

ソースコード

ファイル名:Form1.Gamma.cs(新規追加)

using OpenCvSharp;
using OpenCvSharp.Extensions;

namespace GazouKakou02;
public partial class Form1 : Form
{
    // メニュー項目
    readonly ToolStripMenuItem gammaMenuItem  = new()
    {
        Text = "ガンマ補正",
    };
    
    /// <summary>
    /// ガンマ補正の初期化
    /// </summary>
    public void Init_Gamma()
    {
        // メニューの登録
        filterMenuItem.DropDownItems.Add(gammaMenuItem);

        // フィルター(ガンマ補正)
        Func<Bitmap, double, Task<Bitmap>> filter = new(async (src, gamma) =>
        {
            return await Task.Run(()=>
            {
                using Mat srcMat = BitmapConverter.ToMat(src);
                using Mat dstMat = new();

                byte[] lut = new byte[256];
                for(int i=0; i < lut.Length; i++)
                {
                    if (gamma == 0.0d)
                        lut[i] = (byte)i;
                    else
                        lut[i] = (byte)(System.Math.Pow((double)(i / 255.0d), 1.0d / gamma) * 255.0d);
                }
                Cv2.LUT(srcMat, lut, dstMat);

                return BitmapConverter.ToBitmap(dstMat);
            });
        });

        // メニューアイテムのクリックイベント
        gammaMenuItem.Click += (s, e) =>
        {
            if (_buffBmp is null) return;

            var dialog = new FilterDialog();

            dialog.Load += (s, e) =>
            {
                dialog.Track1.Value = 8;
                dialog.Track1.Maximum = 256;
                dialog.Track1.Minimum = 1;
            };

            bool filterFlag = false;
            dialog.OkBtn.Enabled = !filterFlag;
            Bitmap? bmp = null;
            dialog.Track1.ValueChanged += async (s, e) =>
            {
                dialog.Track1Label.Text = string.Format("ガンマ:{0}", dialog.Track1.Value/10.0d);
                if (filterFlag)
                {
                    // フィルター実行中につきキャンセル
                    return;
                }

                filterFlag = true;
                var backupValue = dialog.Track1.Value;
                var currentValue = backupValue;
                do
                {
                    backupValue = currentValue;

                    double n = currentValue/10.0d;
                    bmp = await filter(_buffBmp, n);
                    dialog.Picbox.Image?.Dispose();
                    dialog.Picbox.Image = bmp;

                    currentValue = dialog.Track1.Value;
                } while( currentValue != backupValue);

                filterFlag = false;
                dialog.OkBtn.Enabled = !filterFlag;
            };

            if (dialog.ShowDialog() == DialogResult.OK)
            {
                // OK
                this.Bmp = bmp;
            } else {
                // Cancel
                bmp?.Dispose();
            }
        };
    }
}

実行

画像が表示されている状態でメインメニュー「フィルター」→「ガンマ補正」を選ぶ

コメント