确定图像整体亮度

ʞᴉɯ*_*ʞᴉɯ 8 .net c# imaging

我需要在图像上叠加一些文字; 根据整体图像的亮度,此文本应更亮或更暗.如何计算图像的整体(感知)亮度?

找到了一些有趣的单像素: 确定RGB颜色亮度的公式

ʞᴉɯ*_*ʞᴉɯ 6

解决了我:

    public static double CalculateAverageLightness(Bitmap bm)
    {
        double lum = 0;
        var tmpBmp = new Bitmap(bm);
        var width = bm.Width;
        var height = bm.Height;
        var bppModifier = bm.PixelFormat == PixelFormat.Format24bppRgb ? 3 : 4;

        var srcData = tmpBmp.LockBits(new Rectangle(0, 0, bm.Width, bm.Height), ImageLockMode.ReadOnly, bm.PixelFormat);
        var stride = srcData.Stride;
        var scan0 = srcData.Scan0;

        //Luminance (standard, objective): (0.2126*R) + (0.7152*G) + (0.0722*B)
        //Luminance (perceived option 1): (0.299*R + 0.587*G + 0.114*B)
        //Luminance (perceived option 2, slower to calculate): sqrt( 0.241*R^2 + 0.691*G^2 + 0.068*B^2 )

        unsafe
        {
            byte* p = (byte*)(void*)scan0;

            for (int y = 0; y < height; y++)
            {
                for (int x = 0; x < width; x++)
                {
                    int idx = (y * stride) + x * bppModifier;
                    lum += (0.299*p[idx + 2] + 0.587*p[idx + 1] + 0.114*p[idx]);
                }
            }
        }

        tmpBmp.UnlockBits(srcData);
        tmpBmp.Dispose();
        var avgLum = lum / (width * height);


        return avgLum/255.0;
    }
Run Code Online (Sandbox Code Playgroud)