如何检测WindowState
后代的TCustomForm
更改?我想随时将WindowState
属性设置为其他值时收到通知。
我已经检查了 setter 中是否有事件或虚拟方法,但没有发现实现目标的任何方法。
function ShowWindow; external user32 name 'ShowWindow';
procedure TCustomForm.SetWindowState(Value: TWindowState);
const
ShowCommands: array[TWindowState] of Integer =
(SW_SHOWNORMAL, SW_MINIMIZE, SW_SHOWMAXIMIZED);
begin
if FWindowState <> Value then
begin
FWindowState := Value;
if not (csDesigning in ComponentState) and Showing then
ShowWindow(Handle, ShowCommands[Value]);
end;
end;
最佳答案
当其状态已更改时,操作系统发送到窗口的通知是WM_SIZE
消息。从您发布的代码引用中看不出来,但是VCL已经在WM_SIZE
类(TScrollingWinControl
的后代)中监听TCustomForm
并在处理消息时调用虚拟Resizing
过程。
因此,您可以覆盖表单的此方法以得到通知。
type
TForm1 = class(TForm)
..
protected
procedure Resizing(State: TWindowState); override;
....
procedure TForm1.Resizing(State: TWindowState);
begin
inherited;
case State of
TWindowState.wsNormal: ;
TWindowState.wsMinimized: ;
TWindowState.wsMaximized: ;
end;
end;
请注意,可以针对给定状态多次发送通知,例如在调整窗口大小或更改可见性时。您可能需要跟踪先前的值以检测实际何时更改状态。
根据您的要求,您还可以使用表单的
OnResize
事件。不同之处在于,此事件是在操作系统通知窗口有关更改之前触发的。当GetWindowPlacement
处理TCustomForm
时,VCL通过调用WM_WINDOWPOSCHANGING
检索窗口状态信息。下面是一个使用标志跟踪先前窗口状态的示例。
TForm1 = class(TForm)
..
private
FLastWindowState: TWindowState; // 0 -> wsNormal (initial value)
...
procedure TForm1.FormResize(Sender: TObject);
begin
if WindowState <> FLastWindowState then
case WindowState of
TWindowState.wsNormal: ;
TWindowState.wsMinimized: ;
TWindowState.wsMaximized: ;
end;
FLastWindowState := WindowState;
end;