0

我正在尝试使用宏来创建一些静态变量。

我的问题是,我如何定义一个带有 2 个参数的宏,第一个是模板,第二个是静态变量。模板应该有超过 1 种类型。

例如:

#define macro(x, y, z, v) x::y z = v;

int main(int argc, char *argv[]) {
  // this works
  macro(std::queue<int>, value_type, test, 4)
  // this also works
  std::pair<int, int>::first_type x = 3;

  // this is produsing some compiler errors
  macro(std::pair<int, int>, first_type, test2, 4)

  return 0;
}

甚至有可能做到这一点吗?

这是错误:

main.cpp(47) : warning C4002: too many actual parameters for macro 'macro'
main.cpp(47) : error C2589: 'int' : illegal token on right side of '::'
main.cpp(47) : error C2589: 'int' : illegal token on right side of '::'
main.cpp(47) : error C2143: syntax error : missing ',' before '::'
main.cpp(50) : error C2143: syntax error : missing ';' before '}'
main.cpp(51) : error C2143: syntax error : missing ';' before '}'

灵感来自 Joachim Pileborg

#define macro(x, y, z, v, ...) x<__VA_ARGS__>::y z = v;
...

// now it works
macro(std::pair, first_type, test2, 4, int, int)

谢谢约阿希姆

4

3 回答 3

2

这不是真正的解决方案,而只是一种解决方法:

#define COMMA ,

macro(std::pair<int COMMA int>, first_type, test2, 4)

或者更具可读性:

#define wrap(...) __VA_ARGS__

macro(wrap(std::pair<int, int>), first_type, test2, 4)
于 2013-03-11T15:25:09.070 回答
2

有几种方法可以去掉那个顶级逗号。

typedef std::pair<int, int> int_pair;
macro(int_pair, first_type, test2, 4)

macro((std::pair<int, int>), first_type, test2, 4);

#define macro2(x1, x2, y, z, v) x1, x2::y z = v;
macro2(std::pair<int, int> first_type, test2, 4)

顺便说一句,我会;从宏中删除,并在使用宏的任何地方使用它。这使代码看起来更自然。

于 2013-03-11T15:29:59.103 回答
2

这是因为处理宏的预处理器非常愚蠢。它在第二个宏“调用”中看到五个参数,第一个是std::pair<int,第二个是int>。您不能有包含逗号的宏参数。

您可能需要查看variadic macros并重新排列,以便该类位于宏中的最后一个。

于 2013-03-11T15:06:51.370 回答