与普通图片编辑器相比,这种方法需要很长时间才能处理,为什么会这样?
public Image InvertColor(Image img)
{
Bitmap bmp = new Bitmap(img);
for (int i = 0; i < bmp.Width; i++)
{
for (int j = 0; j < bmp.Height; j++)
{
bmp.SetPixel(i, j,
Color.FromArgb(
byte.MaxValue - bmp.GetPixel(i, j).R,
byte.MaxValue - bmp.GetPixel(i, j).G,
byte.MaxValue - bmp.GetPixel(i, j).B));
}
}
return (Image)bmp;
}
答案 0 :(得分:1)
这是因为GetPixel
和SetPixel
方法很慢。不是很慢,但因为你做了这么多的电话,所以开销增加了。
您可以先为每个像素调用一次GetPixel
,而不是三次:
public Image InvertColor(Image img) {
Bitmap bmp = new Bitmap(img);
for (int i = 0; i < bmp.Width; i++) {
for (int j = 0; j < bmp.Height; j++) {
Color source = bmp.GetPixel(i, j);
bmp.SetPixel(i, j,
Color.FromArgb(
byte.MaxValue - source.R,
byte.MaxValue - source.G,
byte.MaxValue - source.B
)
);
}
}
return (Image)bmp;
}
这应该是它的两倍快。为了加快速度,您需要直接访问图像数据。您可以使用LockBits
method获取指向图像数据的指针。
答案 1 :(得分:1)
这是快速的方法。它使用ColorMatrix
并且基本上没有时间,即使是大Images
。
private Image fastInvert(Image img)
{
float[][] cm = new float[][]
{
new float[] {-1, 0, 0, 0, 0},
new float[] {0, -1, 0, 0, 0},
new float[] {0, 0, -1, 0, 0},
new float[] {0, 0, 0, 1, 0},
new float[] {1, 1, 1, 0, 1}
};
ColorMatrix CM = new ColorMatrix(cm);
ImageAttributes ia = new ImageAttributes();
ia.SetColorMatrix(CM);
using ( Graphics g = Graphics.FromImage(img) )
g.DrawImage(img, new Rectangle(0, 0, img.Width, img.Height), 0, 0,
img.Width, img.Height, GraphicsUnit.Pixel, ia);
return img;
}
矩阵数据是Visual Kicks的荣誉,谁是正确的,而不是我找到的任何其他网站,包括Bob Powell's,其更新真的是一个黑客,甚至没有工作对我来说..