7

所以,我用 GUI、C# 制作了一些简单的图像处理程序。例如,我想更改 HSV 颜色模型中的图像颜色,将每个像素从 RGB 转换回来。

我的程序通过用户选择加载一些图片,并使用其图形上下文在表单的一个面板中显示它。然后用户可以通过移动滚动条、单击按钮、选择某些图像区域等来处理这张图片。当他这样做时,我需要实时逐像素更改所有图片。所以,我写了类似的东西:

for (int x = 0; x < imageWidth; x++)
    for (int y = 0; y < imageHeight; y++)
        Color c = g.GetPixel(x, y);
        c = some_process_color_function_depending_on_user_controls(c);
        g.SetPixel(x, y)

即使我在内存中(不在屏幕上)使用图形,GetPixel 和 SetPixel 函数的工作速度也很慢(所以,由于我的程序运行速度很慢,我对其进行了分析,并解释说这两个函数最多会减慢我的程序)。因此,当用户移动滑块或选中复选框时,我无法在一段时间内处理大图片。

请帮忙!我该怎么做才能让我的程序更快?我不同意将其他第三方库用于图形或更改编程语言!

4

1 回答 1

7

是的,Get/SetPixel 函数非常慢。请改用Bitmap.LockBits() / UnlockBits()。它返回原始位数据供您操作。

从 msdn 参考:

private void LockUnlockBitsExample(PaintEventArgs e)
{

    // Create a new bitmap.
    Bitmap bmp = new Bitmap("c:\\fakePhoto.jpg");

    // Lock the bitmap's bits.  
    Rectangle rect = new Rectangle(0, 0, bmp.Width, bmp.Height);
    System.Drawing.Imaging.BitmapData bmpData = 
        bmp.LockBits(rect, System.Drawing.Imaging.ImageLockMode.ReadWrite,
        bmp.PixelFormat);

    // Get the address of the first line.
   IntPtr ptr = bmpData.Scan0;

    // Declare an array to hold the bytes of the bitmap.
    // This code is specific to a bitmap with 24 bits per pixels.
    int bytes = bmp.Width * bmp.Height * 3;
    byte[] rgbValues = new byte[bytes];

    // Copy the RGB values into the array.
    System.Runtime.InteropServices.Marshal.Copy(ptr, rgbValues, 0, bytes);

    // Set every red value to 255.  
    for (int counter = 2; counter < rgbValues.Length; counter+=3)
        rgbValues[counter] = 255;

    // Copy the RGB values back to the bitmap
    System.Runtime.InteropServices.Marshal.Copy(rgbValues, 0, ptr, bytes);

    // Unlock the bits.
    bmp.UnlockBits(bmpData);

    // Draw the modified image.
    e.Graphics.DrawImage(bmp, 0, 150);

}
于 2012-09-17T21:32:46.280 回答