C#でピクセル配列の描画をやってみます。(関連日記)
Win32APIのSetDIBitsToDevice()を利用しています。
[DllImport("GDI32.DLL")] internal static extern int SetDIBitsToDevice( IntPtr hdc, // デバイスコンテキストのハンドル int XDest, // 転送先長方形の左上隅の x 座標 int YDest, // 転送先長方形の左上隅の y 座標 int dwWidth, // 転送元長方形の幅 int dwHeight, // 転送元長方形の高さ int XSrc, // 転送元長方形の左下隅の x 座標 int YSrc, // 転送元長方形の左下隅の y 座標 int uStartScan, // 配列内の最初の走査行 int cScanLines, // 走査行の数 int[] lpvBits, // DIB ビットからなる配列 ref BITMAPINFO lpbmi, // ビットマップ情報 int fuColorUse // RGB 値またはパレットインデックス );
使用しているBITMAPINFO構造体の定義です。
[StructLayout(LayoutKind.Sequential)] internal struct BITMAPINFOHEADER { public int biSize; public int biWidth; public int biHeight; public short biPlanes; public short biBitCount; public int biCompression; public int biSizeImage; public int biXPelsPerMeter; public int biYPelsPerMeter; public int biClrUsed; public int biClrImportant; } [StructLayout(LayoutKind.Sequential)] internal struct BITMAPINFO { public BITMAPINFOHEADER bmiHeader; }
int w = pictureBox1.Width, h = pictureBox1.Height; Graphics g = pictureBox1.CreateGraphics(); IntPtr hdc = g.GetHdc(); int[] buffer = new int[w * h]; BITMAPINFO bmpInfo = new BITMAPINFO(); bmpInfo.bmiHeader.biSize = Marshal.SizeOf(bmpInfo); bmpInfo.bmiHeader.biPlanes = 1; bmpInfo.bmiHeader.biBitCount = 32; bmpInfo.bmiHeader.biWidth = w; bmpInfo.bmiHeader.biHeight = -h; SetDIBitsToDevice(hdc, x, y, w, h, 0, 0, 0, h, buf, ref bmpInfo, 0); g.ReleaseHdc(hdc); g.Dispose();
色は"αRGB"で指定しますが、SetDIBitsToDevice()ではα値は無視されます。
int w = pictureBox1.Width, h = pictureBox1.Height; Graphics g = pictureBox1.CreateGraphics(); PixelBuffer pb = new PixelBuffer(w, h); pb.setPixel(32, 32, 0xffff0000); // 赤 pb.setPixel(64, 64, 0xff00ff00); // 緑 pb.setPixel(64, 64, 0xff0000ff); // 青 pb.draw(g); g.Dispose();
PixelBufferに対して描画するクラスです。
int w = pictureBox1.Width, h = pictureBox1.Height; Graphics g = pictureBox1.CreateGraphics(); PixelBuffer pb = new PixelBuffer(w, h); PixelGraphics pg = new PixelGraphics(pb); pg.fillRectangle(0xffff0000, 10, 10, 20, 20); pg.drawRectangle(0xff0000ff, 20, 20, 20, 20); pb.draw(g); g.Dispose();