C# 비트맵 처리 성능 향상을 위한 팁
비트맵 픽셀에 직접 액세스하고 수정하는 것은 특히 표준 Bitmap.GetPixel()
및 Bitmap.SetPixel()
방법을 사용할 때 계산 집약적인 작업입니다. 성능을 향상하려면 다음 기술을 고려하십시오.
비트맵을 바이트 배열로 변환한 후 다시 되돌리기
비트맵 픽셀에 대한 빠른 일괄 작업을 위해 비트맵을 바이트 배열로 변환하고 원시 픽셀 데이터를 직접 처리할 수 있습니다. 이는 개별 픽셀 액세스의 오버헤드를 방지하여 런타임을 크게 줄일 수 있습니다.
다음 코드는 비트맵을 바이트 배열로 변환하는 방법을 보여줍니다.
<code class="language-csharp">public static byte[] BitmapToByteArray(Bitmap bitmap) { int size = bitmap.Width * bitmap.Height * 4; // 假设为32位RGBA格式 byte[] data = new byte[size]; BitmapData bData = bitmap.LockBits( new Rectangle(0, 0, bitmap.Width, bitmap.Height), ImageLockMode.ReadOnly, PixelFormat.Format32bppArgb); Marshal.Copy(bData.Scan0, data, 0, size); return data; }</code>
다음 코드는 바이트 배열을 다시 비트맵으로 변환하는 방법을 보여줍니다.
<code class="language-csharp">public static Bitmap ByteArrayToBitmap(byte[] data, int width, int height) { int size = width * height * 4; // 假设为32位RGBA格式 Bitmap bitmap = new Bitmap(width, height, PixelFormat.Format32bppArgb); BitmapData bData = bitmap.LockBits( new Rectangle(0, 0, width, height), ImageLockMode.WriteOnly, PixelFormat.Format32bppArgb); Marshal.Copy(data, 0, bData.Scan0, size); return bitmap; }</code>
안전하지 않은 코드를 사용하여 픽셀 데이터에 직접 액세스
최고의 성능을 위해서는 안전하지 않은 코드를 사용하여 비트맵 픽셀 데이터에 직접 액세스할 수 있습니다. 이는 마샬링의 오버헤드를 방지하고 가능한 가장 빠른 액세스 속도를 제공합니다.
다음 코드는 안전하지 않은 코드를 사용하여 비트맵 픽셀을 수정하는 예를 보여줍니다.
<code class="language-csharp">public unsafe void ModifyPixelsUnsafe(Bitmap bitmap) { BitmapData bData = bitmap.LockBits( new Rectangle(0, 0, bitmap.Width, bitmap.Height), ImageLockMode.ReadWrite, PixelFormat.Format32bppArgb); byte* scan0 = (byte*)bData.Scan0.ToPointer(); // ... 直接操作 scan0 指针访问像素数据 ... }</code>
안전하지 않은 코드는 잘못 사용할 경우 메모리 손상을 일으킬 수 있으므로 주의해서 사용해야 합니다.
위 내용은 더 나은 성능을 위해 C#에서 비트맵 조작을 어떻게 최적화할 수 있습니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!