SetWindowsHookEx 以确定何时停用 window

SetWindowsHookEx to determine when a window is deactivated

我有一个全局 WH_CBT 32 位挂钩,我用它来确定何时使用 HCBT_ACTIVATE 激活 window。

如何确定 window 何时停用? CBTACTIVATESTRUCThWndActive,但有时是 0x0,当切换到 64 位 window.

时它不会工作

没有HCBT_DEACTIVATE.

正如@Remy Lebeau 提到的,您可以使用 WM_ACTIVATE 消息。当 window 激活或停用时都会发送此消息。 设置一个 WH_CALLWNDPROC 钩子来捕获停用的消息,它将在系统将消息发送到目标 window 过程之前获取消息。 更多详情:

为 non-local 挂钩使用 DLL 中的函数:

#include <Windows.h>
#include <stdio.h>

LRESULT CALLBACK wndProc(HWND, UINT, WPARAM, LPARAM);

int WINAPI WinMain(HINSTANCE hInstance, HINSTANCE hPrevinstance, PSTR szCmdLine, int iCmdShow) {
    HWND hwnd;
    //...

    DWORD threadID = GetWindowThreadProcessId(hwnd, NULL);
    HINSTANCE hinstDLL = LoadLibrary(TEXT("..\Debug\ProcHookDLL.dll"));
    void (*AttachHookProc)(DWORD);
    AttachHookProc = (void (*)(DWORD)) GetProcAddress(hinstDLL, "AttachHook");
    AttachHookProc(threadID);

    MSG msg = {};

    while (GetMessage(&msg, NULL, 0, 0)) {
        TranslateMessage(&msg);
        DispatchMessage(&msg);
    }
}

LRESULT CALLBACK WndProc(HWND hwnd, UINT message, WPARAM wParam, LPARAM lParam){
    //...
};

这是 DLL 的代码:

#include <Windows.h>
#include <stdio.h>

HMODULE thisModule;
HHOOK hook;
LRESULT CALLBACK LaunchListener(int nCode, WPARAM wParam, LPARAM lParam);

#ifdef __cplusplus      // If used by C++ code, 
    extern "C" {        // we need to export the C interface
#endif
    __declspec(dllexport) void AttachHook(DWORD threadID) {
        hook = SetWindowsHookEx(WH_CALLWNDPROC, LaunchListener, thisModule, threadID);
    }
#ifdef __cplusplus
}
#endif
    LRESULT CALLBACK LaunchListener(int nCode, WPARAM wParam, LPARAM lParam) {
        // process event here
        if (nCode >= 0) {
            CWPSTRUCT* cwp = (CWPSTRUCT*)lParam;
            if (cwp->message == WM_ACTIVATE) {
                if (LOWORD(cwp->wParam) == WA_INACTIVE)
                {
                    //the window being deactivated
                }
                else
                {
                    //the window being activated
                }
            }
        }
        return CallNextHookEx(NULL, nCode, wParam, lParam);
    }