2

用户为我的应用程序提供了一个图像,应用程序需要从中制作蒙版:

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

我尝试了以下方法:

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 的性能。有没有更好的方法来做到这一点?

4

2 回答 2

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");
于 2013-07-21T19:24:59.730 回答
1

这种方法确实很慢。更好的方法是使用 Lockbits 并直接访问底层矩阵。看看https://web.archive.org/web/20141229164101/http://bobpowell.net/lockingbits.aspxhttp://www.mfranc.com/programming/operacje-na-bitmapkach-net- 1/或 https://docs.microsoft.com/en-us/dotnet/api/system.drawing.bitmap.lockbits 或 StackOverflow 中有关 lockbits 的其他文章。

它稍微复杂一点,因为您必须直接使用字节(如果使用 RGBA,则每个像素 4 个),但性能提升是显着的,非常值得。

另一个注意事项 - OrgImg.GetPixel(x, y) 很慢,如果你坚持使用它(而不是 lockbits),请确保你只使用它一次(它可能已经优化,只需检查是否有区别)。

于 2013-07-21T18:15:36.657 回答