和NTDLL一样,对于KERNEL32等被静态加载的DLL模块,也可以使用GetModuleHandleW获取句柄。如果你想调用某个新版本Windows中才有的存在于kernel32.dll中的WinAPI,又不想降低兼容性的话,就可以通过『GetModuleHandleW-》GetProcAddress-》通过函数指针调用』的方法调用。如以下代码使用kernel32->IsWow64Process判断是否32位程序运行在64位系统上:
<code class="lang-cpp">typedef BOOL (WINAPI *tIsWow64Process) (HANDLE, PBOOL);
BOOL bIsWow64 = FALSE;
tIsWow64Process pIsWow64Process =
(tIsWow64Process) GetProcAddress(GetModuleHandleW(L"kernel32"), "IsWow64Process");
if (NULL != pIsWow64Process)
{
if (!pIsWow64Process(GetCurrentProcess(),&bIsWow64))
printf("IsWow64Process error.\n");
}
if (bIsWow64)
{
printf("IsWow64Process TRUE.\n");
}
else
{
printf("IsWow64Process FALSE.\n");
}</code>
对于那些并不经常使用的DLL,如dwmapi.dll(Aero)或d2d1.dll(Direct2D)等,有可能DLL并没有被静态加载,或者DLL文件在老系统中可能根本不存在。此时就需要『先LoadLibraryW动态加载这个DLL,然后GetProcAddress获取函数指针,再通过函数指针调用,最后FreeLibrary释放这个DLL』。比如下列代码调用Windows Vista以上版本才具有的TaskDialog函数(函数在comctl32.dll中):
<code class="lang-cpp">//#include <commctrl.h>
// 使用comctl32.dll版本6,这是个预处理指令
#pragma comment(linker,"/manifestdependency:\"type='win32' name='Microsoft.Windows.Common-Controls' version='6.0.0.0' processorArchitecture='*' publicKeyToken='6595b64144ccf1df' language='*'\"")
// TaskDialog函数的原型
typedef HRESULT (WINAPI *tTaskDialog)(HWND hwndParent, HINSTANCE hInstance,
PCWSTR pszWindowTitle, PCWSTR pszMainInstruction, PCWSTR pszContent,
TASKDIALOG_COMMON_BUTTON_FLAGS dwCommonButtons, PCWSTR pszIcon, int *pnButton);
// 加载comctl32.dll
HMODULE hcomctl32 = LoadLibraryW(L"comctl32.dll");
// 加载成功
if (hcomctl32 != NULL)
{
// 获取TaskDialog函数地址
tTaskDialog pTaskDialog = (tTaskDialog)GetProcAddress(hcomctl32, "TaskDialog");
// 获取成功,调用TaskDIalog显示对话框
if (pTaskDialog != NULL)
pTaskDialog(NULL, NULL, L"任务对话框", L"主指示", L"内容",
TDCBF_OK_BUTTON|TDCBF_YES_BUTTON, TD_INFORMATION_ICON, NULL);
// 释放comctl32.dll
FreeLibrary(hcomctl32);
}</commctrl.h></code>