我需要使用控制台应用程序处理一组bmp文件,我正在使用TBitmap类,但代码无法编译,因为此错误
E2003 Undeclared identifier: 'Create'
此示例应用程序重现了该问题
{$APPTYPE CONSOLE}
{$R *.res}
uses
System.SysUtils,
Vcl.Graphics,
WinApi.Windows;
procedure CreateBitMap;
Var
Bmp : TBitmap;
Flag : DWORD;
begin
Bmp:=TBitmap.Create; //this line produce the error of compilation
try
//do something
finally
Bmp.Free;
end;
end;
begin
try
CreateBitMap;
except
on E: Exception do
Writeln(E.ClassName, ': ', E.Message);
end;
end.
为什么这段代码不能编译?
答案 0 :(得分:19)
问题在于您的uses子句的顺序,WinApi.Windows和Vcl.Graphics单元有一个名为TBitmap的类型,当编译器发现不明确的类型使用最后一个单元解析类型时使用列表中存在的位置。在这种情况下,使用Windows单元的TBitmap指向BITMAP WinAPi结构,以解决此更改单位的顺序
uses
System.SysUtils,
WinApi.Windows,
Vcl.Graphics;
或者您可以使用完全限定名称声明类型,如此
procedure CreateBitMap;
Var
Bmp : Vcl.Graphics.TBitmap;
Flag : DWORD;
begin
Bmp:=Vcl.Graphics.TBitmap.Create;
try
//do something
finally
Bmp.Free;
end;
end;