如何将一个彩色图像转换成黑白图像

       彩色图像转换为黑白图像时需要计算图像中每像素有效的亮度值,通过匹配像素
       亮度值可以轻松转换为黑白图像。
       计算像素有效的亮度值可以使用下面的公式:
          Y=0.3RED+0.59GREEN+0.11Blue
       然后使用 Color.FromArgb(Y,Y,Y) 来把计算后的值转换
         
       当然了这是一个好的方法,如果需要更简单的做到图像的色彩转换还可以使用ColorMatrix类

      

      public Bitmap ConvertToGrayscale(Bitmap source)
        {
            Bitmap bm = new Bitmap(source.Width, source.Height);

            for (int y = 0; y < bm.Height; y++)
            {
                for (int x = 0; x < bm.Width; x++)
                {
                    Color c = source.GetPixel(x, y);
                    int luma = (int)(c.R * 0.3 + c.G * 0.59 + c.B * 0.11);
                    bm.SetPixel(x, y, Color.FromArgb(luma, luma, luma));
                }
            }
            return bm;
        }

 

你可能感兴趣的:(CGI)