如果我有TBitmap并且我想从此位图获取裁剪图像,我可以“就地”执行裁剪操作吗?例如如果我有一个800x600的位图,我怎么能减少(裁剪)它,使其包含600x400图像在中心,即得到的TBitmap是600x400,并包含由(100,100)和(700)限定的矩形,500)在原始图像?
我是否需要通过另一个位图或者是否可以在原始位图中完成此操作?
答案 0 :(得分:20)
您可以使用BitBlt
功能
试试这段代码。
procedure CropBitmap(InBitmap, OutBitMap : TBitmap; X, Y, W, H :Integer);
begin
OutBitMap.PixelFormat := InBitmap.PixelFormat;
OutBitMap.Width := W;
OutBitMap.Height := H;
BitBlt(OutBitMap.Canvas.Handle, 0, 0, W, H, InBitmap.Canvas.Handle, X, Y, SRCCOPY);
end;
你可以这样使用
Var
Bmp : TBitmap;
begin
Bmp:=TBitmap.Create;
try
CropBitmap(Image1.Picture.Bitmap, Bmp, 10,0, 150, 150);
//do something with the cropped image
//Bmp.SaveToFile('Foo.bmp');
finally
Bmp.Free;
end;
end;
如果要使用相同的位图,请尝试使用此版本的函数
procedure CropBitmap(InBitmap : TBitmap; X, Y, W, H :Integer);
begin
BitBlt(InBitmap.Canvas.Handle, 0, 0, W, H, InBitmap.Canvas.Handle, X, Y, SRCCOPY);
InBitmap.Width :=W;
InBitmap.Height:=H;
end;
并以这种方式使用
Var
Bmp : TBitmap;
begin
Bmp:=Image1.Picture.Bitmap;
CropBitmap(Bmp, 10,0, 150, 150);
//do somehting with the Bmp
Image1.Picture.Assign(Bmp);
end;
答案 1 :(得分:4)
我知道你已经接受了你的答案,但是因为我写了我的版本(使用VCL包装而不是GDI调用),我会在这里发布它而不是把它扔掉。
procedure TForm1.FormClick(Sender: TObject);
var
Source, Dest: TRect;
begin
Source := Image1.Picture.Bitmap.Canvas.ClipRect;
{ desired rectangle obtained by collapsing the original one by 2*2 times }
InflateRect(Source, -(Image1.Picture.Bitmap.Width div 4), -(Image1.Picture.Bitmap.Height div 4));
Dest := Source;
OffsetRect(Dest, -Dest.Left, -Dest.Top);
{ NB: raster data is preserved during the operation, so there is not need to have 2 bitmaps }
Image1.Picture.Bitmap.Canvas.CopyRect(Dest, Image1.Picture.Bitmap.Canvas, Source);
{ and finally "truncate" the canvas }
Image1.Picture.Bitmap.Width := Dest.Right;
Image1.Picture.Bitmap.Height := Dest.Bottom;
end;