3

我正在使用以下代码来获取在我的机器上运行的窗口列表

#include <iostream>
#include <windows.h>

using namespace std;

BOOL CALLBACK EnumWindowsProc(HWND hwnd, LPARAM lParam)
{
    TCHAR buffer[512];
    SendMessage(hwnd, WM_GETTEXT, 512, (LPARAM)(void*)buffer);
    wcout << buffer << endl;
    return TRUE;
}

int main()
{
    EnumWindows(EnumWindowsProc, NULL);
    return 0;
}

我想得到一个通常被称为窗口的列表——我这样说是因为在运行上面的代码时,我得到一个大约 40 个条目的列表,其中大部分不是我所说的窗口。

这是在我的机器上运行上述脚本产生的输出的摘录,在 5 个条目中,只有 Microsoft Visual Studio 是一个窗口

...
Task Switching
Microsoft Visual Studio
CiceroUIWndFrame

Battery Meter

Network Flyout
...

我该如何过滤/解析这些数据,因为没有任何东西可以用作标识符。

4

2 回答 2

2

我会用它EnumDesktopWindows来枚举你桌面上的所有顶级窗口;您甚至可以IsWindowsVisible在枚举过程中使用 API 来过滤不可见的窗口。

这个可编译的 C++ 代码对我来说很好用(请注意,这里我展示了如何将一些附加信息传递给枚举过程,在这种情况下使用指向 a 的指针vector<wstring>,其中存储窗口标题以供以后处理):

#include <windows.h>
#include <iostream>
#include <string>
#include <vector>
using std::vector;
using std::wcout;
using std::wstring;

BOOL CALLBACK EnumWindowsProc(HWND hwnd, LPARAM lParam)
{
    if (!IsWindowVisible(hwnd))
    {
        return TRUE;
    }

    wchar_t titleBuf[512];
    if (GetWindowText(hwnd, titleBuf, _countof(titleBuf)) > 0)
    {
        auto pTitles = reinterpret_cast<vector<wstring>*>(lParam);
        pTitles->push_back(titleBuf);
    }

    return TRUE;
}

int main()
{
    vector<wstring> titles;
    EnumDesktopWindows(nullptr, EnumWindowsProc, reinterpret_cast<LPARAM>(&titles));

    for (const auto& s : titles)
    {
        wcout << s << L'\n';
    }
}
于 2017-01-12T18:12:20.987 回答
0

定义您所说的窗口并查询窗口句柄以获取正确的属性。使用 GetWindowLong() 和例如 GWL_HWNDPARENT 来测试是否没有父窗口或者父窗口是否是桌面窗口。可能需要额外的测试,例如您可以使用(扩展的)窗口样式。有关可用测试的其他想法,另请参见此处

于 2017-01-12T18:18:53.720 回答