我如何调用EnumWindowsProc?

时间:2012-12-09 10:17:04

标签: delphi delphi-xe2

我试图在我的计算机上列出所有正在运行的进程。

我的简短示例代码中的EnumWindowsProc()调用语句出了什么问题。我的编译器声称,在这一行:

EnumWindows(@EnumWindowsProc, ListBox1);

函数调用中需要有一个变量。我该如何将@EnumWindowsProc更改为var?

unit Unit_process_logger;

interface

uses
  Winapi.Windows, Winapi.Messages, System.SysUtils, System.Variants, 
  System.Classes, Vcl.Graphics, Vcl.Controls, Vcl.Forms, Vcl.Dialogs, 
  Vcl.ExtCtrls, Vcl.StdCtrls;

type
  TForm1 = class(TForm)
    ListBox1: TListBox;
    Timer1: TTimer;
    procedure Timer1Timer(Sender: TObject);
  private
    { Private-Deklarationen }    
  public
    { Public-Deklarationen }
  end;

function EnumWindowsProc(wHandle: HWND; lb: TListBox): Boolean;

var
  Form1: TForm1;

implementation

{$R *.dfm}

function EnumWindowsProc(wHandle: HWND; lb: TListBox): Boolean;
var
  Title, ClassName: array[0..255] of Char;
begin
  GetWindowText(wHandle, Title, 255);
  GetClassName(wHandle, ClassName, 255);
  if IsWindowVisible(wHandle) then
     lb.Items.Add(string(Title) + '-' + string(ClassName));
end;

procedure TForm1.Timer1Timer(Sender: TObject);
begin
  ListBox1.Items.Clear;    
  EnumWindows(@EnumWindowsProc, ListBox1);    
end;

end.

1 个答案:

答案 0 :(得分:12)

首先,声明是错误的。它必须是stdcall,然后返回BOOL

function EnumWindowsProc(wHandle: HWND; lb: TListBox): BOOL; stdcall;

其次,您的实现不会设置返回值。返回True继续枚举,False停止枚举。在您的情况下,您需要返回True

最后,当您致电LPARAM时,您需要将列表框强制转换为EnumWindows

EnumWindows(@EnumWindowsProc , LPARAM(ListBox1));

有关详细信息,请参阅documentation

总而言之,你有这个:

function EnumWindowsProc(wHandle: HWND; lb: TListBox): BOOL; stdcall;
var
  Title, ClassName: array[0..255] of char;
begin
  GetWindowText(wHandle, Title, 255);
  GetClassName(wHandle, ClassName, 255);
  if IsWindowVisible(wHandle) then
    lb.Items.Add(string(Title) + '-' + string(ClassName));
  Result := True;
end;

procedure TForm1.Timer1Timer(Sender: TObject);
begin
  ListBox1.Items.Clear;
  EnumWindows(@EnumWindowsProc, LPARAM(ListBox1));
end;

另请注意,EnumWindows不会枚举所有正在运行的进程。它的作用是枚举所有顶级窗口。注意完全相同的事情。要枚举所有正在运行的进程,请EnumProcesses。但是,由于您正在读出窗口标题和窗口类名称,因此您可能希望使用EnumWindows


正如我之前多次说过的,我不喜欢EnumWindows的Delphi标题翻译使用Pointer作为EnumWindowsProc参数。这意味着您不能依赖编译器来检查类型安全性。我个人总是使用我自己的版本EnumWindows

type
  TFNWndEnumProc = function(hwnd: HWND; lParam: LPARAM): BOOL; stdcall;

function EnumWindows(lpEnumFunc: TFNWndEnumProc; lParam: LPARAM): BOOL;
  stdcall; external  user32;

然后当你调用该函数时,你不使用@运算符,所以让编译器检查你的回调函数是否被正确声明:

EnumWindows(EnumWindowsProc, ...);