TBitMap到PBitMap KOL

时间:2012-06-23 15:15:14

标签: delphi graphics delphi-7 kol

我想在KOL中将TBitMap转换为PBitMap。

我尝试了这个,但我得到一张黑色图片作为输出:

function TbitMapToPBitMap (bitmap : TBitMap) : PbitMap;
begin
 result := NIL;
 if Assigned(bitmap) then begin
  result := NewBitmap(bitmap.Width, bitmap.Height);
  result.Draw(bitmap.Canvas.Handle, bitmap.Width, bitmap.Height);
 end;
end;

知道它有什么问题吗?我正在使用Delphi7。

感谢您的帮助。

编辑:新代码:

function TbitMapToPBitMap (const src : TBitMap; var dest : PBitMap) : Bool; 
begin
 result := false;
 if (( Assigned(src) ) and ( Assigned (dest) )) then begin
 dest.Draw(src.Canvas.Handle, src.Width, src.Height);
 result := true;
 end;
end;

procedure TForm1.Button1Click(Sender: TObject);
var
 TBitMapTest : TBitMap;
 PBitMapTest : PBitMap;
begin
 TBitMapTest := TBitMap.Create;
 TBitMapTest.LoadFromFile ('C:\test.bmp');
 PBitMapTest := NewBitMap (TBitMapTest.Width, TBitMapTest.Height);
 TbitMapToPBitMap (TBitMapTest, PBitMapTest);
 PBitMapTest.SaveToFile ('C:\test2.bmp');
 PBitMapTest.Free;
 TBitMapTest.Free;
end;

1 个答案:

答案 0 :(得分:3)

要回答您的问题,为什么目标图像会变黑;这是因为你将这些目标图像绘制为源图像和黑色图像是因为NewBitmap将图像初始化为黑色。

如果你想要TBitmap到KOL PBitmap如何复制或转换我只发现了一种方式(也许我在KOL中错过了这样的功能,但即便如此,下面的代码中使用的方法也是如此)是非常有效的)。您可以使用Windows GDI函数进行位块传输,BitBlt,它只是将指定区域从一个画布复制到另一个画布。

以下代码,当您单击按钮创建VCL和KOL位图实例,将图像加载到VCL位图,调用VCL到KOL位图复制功能,如果此函数成功,则将KOL位图绘制到窗体canvas和释放两个位图实例:

uses
  Graphics, KOL;

function CopyBitmapToKOL(Source: Graphics.TBitmap; Target: PBitmap): Boolean;
begin
  Result := False;
  if Assigned(Source) and Assigned(Target) then
  begin
    Result := BitBlt(Target.Canvas.Handle, 0, 0, Source.Width, Source.Height,
      Source.Canvas.Handle, 0, 0, SRCCOPY);
  end;
end;

procedure TForm1.Button1Click(Sender: TObject);
var
  KOLBitmap: PBitmap;
  VCLBitmap: Graphics.TBitmap;
begin
  VCLBitmap := Graphics.TBitmap.Create;
  try
    VCLBitmap.LoadFromFile('d:\CGLIn.bmp');
    KOLBitmap := NewBitmap(VCLBitmap.Width, VCLBitmap.Height);
    try
      if CopyBitmapToKOL(VCLBitmap, KOLBitmap) then
        KOLBitmap.Draw(Canvas.Handle, 0, 0);
    finally
      KOLBitmap.Free;
    end;
  finally
    VCLBitmap.Free;
  end;
end;