我试图让一个按钮从(0.0)移动到(500.500),因为我使用了一个循环和一个线程睡眠程序,如上面的代码所示:
unit Unit1;
interface
uses
Winapi.Windows, Winapi.Messages, System.SysUtils, System.Variants, System.Classes, Vcl.Graphics,
Vcl.Controls, Vcl.Forms, Vcl.Dialogs, Vcl.StdCtrls;
type
TForm1 = class(TForm)
TbuttonAction: TButton;
procedure show(Sender: TObject);
private
{ Déclarations privées }
public
{ Déclarations publiques }
end;
var
Form1: TForm1;
implementation
{$R *.dfm}
procedure TForm1.show(Sender: TObject);
var
i: Integer;
begin
TbuttonAction.Caption:='my first action';
for i := 0 to 500 do
begin
TThread.Sleep(10);
TbuttonAction.Top:=i;
TbuttonAction.Left:=i;
end;
end;
end.
对于第一次单击,按钮从0.0移动到500.500,但如果我再次单击(第二次或第三次按钮处于500.500时)按钮消失,则会在一段时间后出现。请问如何解决这个问题?我今天开始使用delphi,但我在java上经验丰富(3年)。
答案 0 :(得分:2)
这种情况正在发生,大概是因为你没有抽出你的消息队列。 Windows应用程序需要主UI线程及时为其消息队列提供服务,以便可以处理绘画和输入等内容。用繁忙的循环阻塞主线程。
删除循环,改为添加计时器。定时器由消息循环生成的消息操作,因此不会阻止主UI线程。
给定时器一个适当的间隔,比如100ms。当您想要开始设置动画时,请将计时器的Enabled
属性设置为True
。
procedure TForm1.Show(Sender: TObject);
begin
Button1.Left := 0;
Button1.Top := 0;
Timer1.Interval := 100;
Timer1.Enabled := True;
end;
实施计时器的OnTimer
事件,如下所示:
procedure TForm1.Timer1Timer(Sender: TObject);
var
Pos: Integer;
begin
Pos := Button1.Left + 10;
Button1.Left := Pos;
Button1.Top := Pos;
if Pos >= 500 then
Timer1.Enabled := False;
end;
我重命名了你的按钮。 T
前缀用于类型而不用于实例。
作为一个广泛的指导原则,永远不应该在UI程序的主线程中调用Sleep
。我不认为有很多,如果确实有任何例外。 Sleep会阻止UI线程为其消息队列提供服务。