20

在我的 C# (3.5) 应用程序中,我需要获取位图的红色、绿色和蓝色通道的平均颜色值。最好不使用外部库。这可以做到吗?如果是这样,怎么做?提前致谢。

试图让事情更精确一点:位图中的每个像素都有一定的 RGB 颜色值。我想获得图像中所有像素的平均 RGB 值。

4

3 回答 3

25

最快的方法是使用不安全的代码:

BitmapData srcData = bm.LockBits(
            new Rectangle(0, 0, bm.Width, bm.Height), 
            ImageLockMode.ReadOnly, 
            PixelFormat.Format32bppArgb);

int stride = srcData.Stride;

IntPtr Scan0 = srcData.Scan0;

long[] totals = new long[] {0,0,0};

int width = bm.Width;
int height = bm.Height;

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

  for (int y = 0; y < height; y++)
  {
    for (int x = 0; x < width; x++)
    {
      for (int color = 0; color < 3; color++)
      {
        int idx = (y*stride) + x*4 + color;

        totals[color] += p[idx];
      }
    }
  }
}

int avgB = totals[0] / (width*height);
int avgG = totals[1] / (width*height);
int avgR = totals[2] / (width*height);

当心:我没有测试这段代码......(我可能偷工减料)

此代码还假设一个 32 位图像。对于 24 位图像。将x*4更改为x*3

于 2009-07-01T10:34:54.797 回答
13

这种事情会起作用,但它可能不够快以至于没有那么有用。

public static Color GetDominantColor(Bitmap bmp)
{

       //Used for tally
       int r = 0;
       int g = 0;
       int b = 0;

     int total = 0;

     for (int x = 0; x < bmp.Width; x++)
     {
          for (int y = 0; y < bmp.Height; y++)
          {
               Color clr = bmp.GetPixel(x, y);

               r += clr.R;
               g += clr.G;
               b += clr.B;

               total++;
          }
     }

     //Calculate average
     r /= total;
     g /= total;
     b /= total;

     return Color.FromArgb(r, g, b);
}
于 2009-07-01T10:33:17.843 回答
12

这是一个更简单的方法:

Bitmap bmp = new Bitmap(1, 1);
Bitmap orig = (Bitmap)Bitmap.FromFile("path");
using (Graphics g = Graphics.FromImage(bmp))
{
    // updated: the Interpolation mode needs to be set to 
    // HighQualityBilinear or HighQualityBicubic or this method
    // doesn't work at all.  With either setting, the results are
    // slightly different from the averaging method.
    g.InterpolationMode = InterpolationMode.HighQualityBicubic;
    g.DrawImage(orig, new Rectangle(0, 0, 1, 1));
}
Color pixel = bmp.GetPixel(0, 0);
// pixel will contain average values for entire orig Bitmap
byte avgR = pixel.R; // etc.

基本上,您使用 DrawImage 将原始位图复制到 1 像素位图中。然后,该 1 个像素的 RGB 值将代表整个原始像素的平均值。GetPixel 相对较慢,但仅当您在大型位图上逐个像素地使用它时。在这里调用一次没什么大不了的。

使用 LockBits 确实很快,但一些 Windows 用户有防止执行“不安全”代码的安全策略。我之所以提到这一点,是因为这个事实最近让我陷入了困境。

更新:将 InterpolationMode 设置为 HighQualityBicubic,此方法所需的时间大约是 LockBits 平均时间的两倍;使用 HighQualityBilinear,它只需要比 LockBits 稍长的时间。因此,除非您的用户有禁止unsafe代码的安全策略,否则绝对不要使用我的方法。

更新 2: 随着时间的推移,我现在意识到为什么这种方法根本不起作用。即使是最高质量的插值算法也只包含几个相邻像素,因此在不丢失信息的情况下可以压缩多少图像是有限度的。无论您使用什么算法,将图像压缩到一个像素都远远超出了这个限制。

做到这一点的唯一方法是逐步缩小图像(可能每次将其缩小一半),直到将其缩小到一个像素的大小。我无法用语言来表达写这样的东西是多么浪费时间,所以我很高兴我一想到它就停下来了。:)

拜托,没有人再为这个答案投票了——这可能是我有史以来最愚蠢的想法。

于 2009-08-26T15:36:50.073 回答