1

我在 Silverlight 中有一个 BitmapImage 实例,我试图找到一种方法来读取图像中每个像素的颜色信息。我怎样才能做到这一点?我看到这个类上有一个CopyPixels()方法可以将像素信息写入您传递的数组中,但我不知道如何从该数组中读取颜色信息。

我怎样才能做到这一点?

4

3 回答 3

2

在 Silverlight 3 中查找WriteableBitmap该类。该类有一个成员Pixels,它以 int 数组形式返回位图的像素数据。

带有变换的示例。bi是一个BitmapImage对象。

Image img = new Image();
img.source = bi;

img.Measure(new Size(100, 100));
img.Arrange(new Rect(0, 0, 100, 100));

ScaleTransform scaleTrans = new ScaleTransform();
double scale = (double)500 / (double)Math.Max(bi.PixelHeight, bi.PixelWidth);
scaleTrans.CenterX = 0;
scaleTrans.CenterY = 0;
scaleTrans.ScaleX = scale;
scaleTrans.ScaleY = scale;

WriteableBitmap writeableBitmap = new WriteableBitmap(500, 500);
writeableBitmap.Render(img, scaleTrans);

int[] pixelData = writeableBitmap.Pixels;
于 2009-10-22T13:42:24.547 回答
0

对于当前发布的 Silverlight 3 beta 中的当前位图 API,这是不可能的。

Silverlight BitmapImage 文件没有 CopyPixels 方法。请在此处查看 MSDN 文档。

于 2009-05-07T23:49:25.663 回答
0

首先,您应该使用WritableBitmap来获取像素集合:WriteableBitmap bmp = new WriteableBitmap(bitmapImageObj);. 每个像素都表示为 32 位整数。我已经制作了结构,它只是有助于将整数拆分为四个字节(ARGB)。

struct BitmapPixel
{
    public byte A;
    public byte R;
    public byte G;
    public byte B;

    public BitmapPixel(int pixel)
        : this(BitConverter.GetBytes(pixel))
    {
    }

    public BitmapPixel(byte[] pixel)
        : this(pixel[3], pixel[2], pixel[1], pixel[0])
    {
    }

    public BitmapPixel(byte a, byte r, byte g, byte b)
    {
        this.A = a;
        this.R = r;
        this.G = g;
        this.B = b;
    }

    public int ToInt32()
    {
        byte[] pixel = new byte[4] { this.B, this.G, this.R, this.A };
        return BitConverter.ToInt32(pixel, 0);
    }
}

以下是如何使用它来更改红色值的示例:

BitmapPixel pixel = new BitmapPixel(bmp.Pixels[0]);
pixel.R = 255;
bmp.Pixels[0] = pixel.ToInt32();

另外我想提一下WriteableBitmap.Pixels是预乘 RGB 格式。本文将解释它的含义。以下是使用 BitmapPixel 结构进行补偿的方法:

public static void CompensateRGB(int[] pixels)
{
    for (int i = 0; i < pixels.Length; i++)
    {
        BitmapPixel pixel = new BitmapPixel(pixels[i]);

        if (pixel.A == 255 || pixel.A == 0)
            continue;

        if (pixel.R == 0 && pixel.G == 0 && pixel.B == 0)
        {
            // color is unrecoverable, get rid of this
            // pixel by making it transparent
            pixel.A = 0;
        }
        else
        {
            double factor = 255.0 / pixel.A;

            pixel.A = 255;
            pixel.R = (byte)(pixel.R * factor);
            pixel.G = (byte)(pixel.G * factor);
            pixel.B = (byte)(pixel.B * factor);
        }

        pixels[i] = pixel.ToInt32();
    }
}
于 2013-05-23T10:02:33.373 回答