Bitmap.LockBits에서 ImageLockMode의 목적은 무엇입니까? 화상의 일부를 판독하기위한 고정되도록 지정 읽기 전용 documentation 들어 만Bitmap.LockBits에서 ImageLockMode의 목적 (코드 포함)
는 읽기 전용 상태.
그러나 다음 코드는 이것이 사실이 아니라고 증명합니다. 질문은 이전에 물어 보았습니다. 이번에는 다른 곳에서는 답변을 찾을 수 없으므로 실제 코드로 시도합니다.
다음 코드를 실행하면 대답과 동일하게 동작합니다.
using System;
using System.Drawing;
using System.Drawing.Imaging;
using System.Runtime.InteropServices;
namespace LockBits_Trials
{
class Program
{
static readonly Random rnd = new Random(42);
static void Main(string[] args)
{
Bitmap bmp_fromFile = new Bitmap("example.png");
Bitmap bmp_fromCtor = new Bitmap(100, 100, PixelFormat.Format24bppRgb);
marshalCopy(bmp_fromFile, "result_marshalCopy_fromFile.png");
marshalCopy(bmp_fromCtor, "result_marshalCopy_fromCtor.png");
usePointer(bmp_fromFile, "result_usePointer_fromFile.png");
usePointer(bmp_fromCtor, "result_usePointer_fromCtor.png");
}
private static unsafe void usePointer(Bitmap bmp, string filename)
{
ImageLockMode mode = ImageLockMode.ReadOnly;
//code from turgay at http://csharpexamples.com/fast-image-processing-c/
if (bmp.PixelFormat != PixelFormat.Format24bppRgb)
throw new Exception();
BitmapData bitmapData = bmp.LockBits(new Rectangle(0, 0, bmp.Width, bmp.Height), mode, bmp.PixelFormat);
int bytesPerPixel = 3; int heightInPixels = bitmapData.Height; int widthInBytes = bitmapData.Width * bytesPerPixel;
byte* ptrFirstPixel = (byte*)bitmapData.Scan0;
for (int y = 0; y < heightInPixels; y++) {
byte* currentLine = ptrFirstPixel + (y * bitmapData.Stride);
for (int x = 0; x < widthInBytes; x = x + bytesPerPixel) {
currentLine[x] = (byte)rnd.Next(0, 255);
currentLine[x + 1] = (byte)rnd.Next(0, 255);
currentLine[x + 2] = (byte)rnd.Next(0, 255);
}
}
bmp.UnlockBits(bitmapData);
bmp.Save(filename, ImageFormat.Png);
}
private static unsafe void marshalCopy(Bitmap bmp, string filename)
{
ImageLockMode mode = ImageLockMode.ReadOnly;
if (bmp.PixelFormat != PixelFormat.Format24bppRgb)
throw new Exception();
BitmapData bitmapData = bmp.LockBits(new Rectangle(0, 0, bmp.Width, bmp.Height), mode, bmp.PixelFormat);
IntPtr ptrFirstPixel = bitmapData.Scan0;
int totalBytes = bitmapData.Stride * bitmapData.Height;
byte[] newData = new byte[totalBytes];
for (int i = 0; i < totalBytes; i++)
newData[i] = (byte)rnd.Next(0, 255);
Marshal.Copy(newData, 0, ptrFirstPixel, newData.Length);
bmp.UnlockBits(bitmapData);
bmp.Save(filename, ImageFormat.Png);
}
}
}
사진result_marshalCopy_fromFile.png 및 result_usePointer_fromFile.png은 모두 원래의 이미지를 포함, 그래서 아무것도 덮어되지 않았다 (어떠한 예외가 발생하지 않습니다!). 다른 두 개의 그림에는 잠긴 상태에서 기록 된 임의의 잡음이 포함되어 있습니다.
필자는 어쨌든 병렬 쓰기 액세스의 동작을 확인하기 위해 테스트를 더 이상 수행하지 않았습니다.
은 중복 아니지만, 강력하게 관련 : 당신이 원시 데이터 포인터에 대한 액세스 권한을 얻은 후 Does Bitmap.LockBits “pin” a bitmap into memory?
당신은 충분히 행복하지 못하며, 코덱을 사용하지 않아도됩니다. 비트 맵의 픽셀 형식과 일치하지 않는 픽셀 형식을 의도적으로 요구함으로써 인생을 더 힘들게해야합니다. –
@ 한자 Passant 나는 이해가 안되니? –