创建图像蒙版

时间:2013-07-21 13:47:35

标签: c# .net vb.net image bitmap

用户为我的应用提供了一个图片,应用需要从中制作一个图片:

掩码包含原始图像中每个透明像素的红色像素。

我尝试了以下内容:

Bitmap OrgImg = Image.FromFile(FilePath);
Bitmap NewImg = new Bitmap(OrgImg.Width, OrgImg.Height);
for (int y = 0; y <= OrgImg.Height - 1; y++) {
    for (int x = 0; x <= OrgImg.Width - 1; x++) {
        if (OrgImg.GetPixel(x, y).A != 255) {
            NewImg.SetPixel(x, y, Color.FromArgb(255 - OrgImg.GetPixel(x, y).A, 255, 0, 0));
        }
    }
}
OrgImg.Dispose();
PictureBox1.Image = NewImg;

我担心慢速PC上的性能。有没有更好的方法来做到这一点?

2 个答案:

答案 0 :(得分:4)

如果只是偶尔使用GetPixel(),则完全可以接受,例如在加载一个图像。但是,如果您想要进行更严肃的图像处理,最好直接使用BitmapData。一个小例子:

//Load the bitmap
Bitmap image = (Bitmap)Image.FromFile("image.png"); 

//Get the bitmap data
var bitmapData = image.LockBits (
    new Rectangle (0, 0, image.Width, image.Height),
    ImageLockMode.ReadWrite, 
    image.PixelFormat
);

//Initialize an array for all the image data
byte[] imageBytes = new byte[bitmapData.Stride * image.Height];

//Copy the bitmap data to the local array
Marshal.Copy(bitmapData.Scan0,imageBytes,0,imageBytes.Length);

//Unlock the bitmap
image.UnlockBits(bitmapData);

//Find pixelsize
int pixelSize = Image.GetPixelFormatSize(image.PixelFormat);

// An example on how to use the pixels, lets make a copy
int x = 0;
int y = 0;
var bitmap = new Bitmap (image.Width, image.Height);

//Loop pixels
for(int i=0;i<imageBytes.Length;i+=pixelSize/8)
{
    //Copy the bits into a local array
    var pixelData = new byte[3];
    Array.Copy(imageBytes,i,pixelData,0,3);

    //Get the color of a pixel
    var color = Color.FromArgb (pixelData [0], pixelData [1], pixelData [2]);

    //Set the color of a pixel
    bitmap.SetPixel (x,y,color);

    //Map the 1D array to (x,y)
    x++;
    if( x >= bitmap.Width)
    {
        x=0;
        y++;
    }

}

//Save the duplicate
bitmap.Save ("image_copy.png");

答案 1 :(得分:1)

这种方法确实很慢。更好的方法是使用Lockbits并直接访问底层矩阵。请查看http://bobpowell.net/lockingbits.aspxhttp://www.mfranc.com/programming/operacje-na-bitmapkach-net-1/http://msdn.microsoft.com/en-us/library/5ey6h79d.aspx或其他有关StackOverflow中锁定位的文章。

这有点复杂,因为你必须直接使用字节(如果你正在使用RGBA,每个像素4个),但是性能提升很重要,非常值得。

另一个注意事项--OrgImg.GetPixel(x,y)很慢,如果你坚持这个(而不是锁定位),请确保你只使用它一次(它可能已经优化,只是检查是否存在差异)