转载:https://blog.twofei.com/668/
在包含了 Windows.h 的 C++ 源代码中使用 std::min/std::max 会出现错误。
int main() { int x = std::max(0, 1); int y = std::min(-1, 0); }
error C2589: '(': illegal token on right side of '::' error C2059: syntax error: '::' error C2589: '(': illegal token on right side of '::' error C2059: syntax error: '::'
原因是 Windef.h 头文件中定义了 min/max 宏:
#ifndef NOMINMAX
#ifndef max
#define max(a,b) (((a) > (b)) ? (a) : (b))
#endif
#ifndef min
#define min(a,b) (((a) < (b)) ? (a) : (b))
#endif
#endif /* NOMINMAX */
由于 Windows 头文件中的这两个函数的定义是早于 C++标准库 出现的,所以这不应是微软的锅。根据上面的定义,在使用 C++ 的项目中如果包含了 Windows.h,那么,好的建议是总是 #define NOMINMAX 来避免 min/max 被定义,可以直接在项目属性中定义该宏。
另外一种办法是:把 std::min/std::max 用括号括起来。
int main()
{
int x = (std::max)(0, 1);
int y = (std::min)(-1, 0);
}
这种方式能够的工作的原因我不太确定(没去找具体标准),但可以简单地认为:根据 min/max 的宏定义来看,其定义的是函数替换,而不只是标识符替换。
参考:
- c++ - std::max - expected an identifier - Stack Overflow
- c++ - How do I deal with the max macro in windows.h colliding with max in std? - Stack Overflow
- c++ - why would I call a function with the function name wrapped in parens? - Stack Overflow