MSDN 里说,VC 有 3 个预处理常量,分别是 _WIN32,_WIN64,WIN32。这三个常量如何使用呢?看起来简单,其实是很困惑的。
在 Win32 配置下,WIN32 在“项目属性-C/C++-预处理器-预处理器定义”里声明了,而在 x64 配置下,这个常量并不在项目预定义列表中。这是否说明可以根据 WIN32 来判断是否在 x64 平台呢?不。在 Windows SDK 的 minwindef.h 下第 37 行有如下定义:
#ifndef WIN32
#define WIN32
#endif
即是说,只要包含了 Windows.h,那么 WIN32 常量是肯定定义了的,所以不能用于判断平台环境。但是如果在预处理定义里删掉 WIN32,又不包含 Windows.h,那么 WIN32 未定义。
下面看 _WIN32 和 _WIN64,这两个比较特别,没有任何显式定义。在 Windows.h 里没有,在“项目属性-C/C++-预处理器-预处理器定义”下也没有。根据 MSDN,这是由编译器(ml.exe/ml64.exe)内部定义的。具体描述是
_WIN32:Defined for applications for Win32 and Win64. Always defined.
_WIN64:Defined for applications for Win64.
下面看一段程序:(分别在 Win32 和 x64 配置下运行一次)
#include <iostream>
using namespace std;
int main() {
#ifdef _WIN64
cout << "_WIN64 is defined as " << _WIN64 << endl;
#endif
#ifdef _WIN32
cout << "_WIN32 is defined as " << _WIN32 << endl;
#endif
cin.get();
return 0;
}
在 Win32 配置下,_WIN32 有定义,_WIN64 没有定义。在 x64 配置下,两者都有定义。即在 VC 下,_WIN32 一定有定义。
因此,WIN32/_WIN32 可以用来判断是否 Windows 系统(对于跨平台程序),而 _WIN64 用来判断编译环境是 x86 还是 x64。最后附一个表:
常量\定义 | 预定义选项 | Windows.h | VC编译器 |
WIN32 | Win32 | √(minwindef.h) | × |
_WIN32 | × | × | √ |
_WIN64 | × | × | x64 |
上文是判断编译环境是32位or64位,那么如何在运行期间判断系统环境呢?
本例使用 Windows API 函数 IsWow64Process,具体请参考MSDN文档:http://msdn.microsoft.com/en-us/library/ms684139(VS.85).aspx
/**
* This program test if this application is a x64 program or
* is a x86 program running under Windows x64.
*
* Version: 0.1 C-Lang
* Author: Fenying
* Date: 2013-08-22
*/
#include <windows.h>
#include <tchar.h>
typedef BOOL (WINAPI *LPFN_ISWOW64PROCESS) (HANDLE, PBOOL);
/**
* Don't use the function IsWow64Process as a static function,
* you should load it by function GetProcAddress, because
* it is not available on all version of Windows.
*/
LPFN_ISWOW64PROCESS fnIsWow64Process = NULL;
/**
* This function tells if your application is a x64 program.
*/
BOOL Isx64Application() {
return (sizeof(LPFN_ISWOW64PROCESS) == 8)? TRUE: FALSE;
}
/**
* This function tells if you're under Windows x64.
*/
BOOL IsWow64() {
BOOL bIsWow64 = FALSE;
if (!fnIsWow64Process)
fnIsWow64Process = (LPFN_ISWOW64PROCESS)GetProcAddress(GetModuleHandle(TEXT("kernel32")),"IsWow64Process");
if(fnIsWow64Process)
if (!fnIsWow64Process(GetCurrentProcess(), &bIsWow64))
return FALSE;
return bIsWow64;
}
int main( void ) {
if (Isx64Application())
_tprintf(TEXT("The application is a x64 program.\n"));
else {
if (!IsWow64())
_tprintf(TEXT("The application is running under Windows x86.\n"));
else
_tprintf(TEXT("The application is a x86 program running under Windows x64.\n"));
}
return 0;
}