Visual C ++中的预处理器工具__COUNTER__

时间:2011-08-04 19:41:08

标签: c++ visual-studio counter c-preprocessor

我需要在编译时在我的代码中生成一系列序列号。我用这样的方式尝试了“__COUNTER__”:

void test1()
{
  printf("test1(): Counter = %d\n", __COUNTER__);
}
void test2()
{
  printf("test2(): Counter = %d\n", __COUNTER__);
}
int main()
{
  test1();
  test2();
}

结果如我所料完美:

test1(): Counter = 0
test2(): Counter = 1

然后我在不同的.cpp文件中传播“__COUNTER__”:

In Foo.cpp:
Foo::Foo()
{
  printf("Foo::Foo() with counter = %d\n", __COUNTER__);
}
In Bar.cpp:
Bar::Bar()
{
  printf("Bar::Bar() with counter = %d\n", __COUNTER__);
}

In Main.cpp:
int main()
{
  Foo foo;
  Bar bar;
}

结果是:

Foo::Foo() with counter = 0
Bar::Bar() with counter = 0

在我看来,“__ COUNTER__”是作为每个编译单元变量提供的。

我想要的是一个在整个代码中都有效的全局计数器。

这用于在我希望实现此目标的调试版本中进行测试:

想象一下,我在整个代码中尝试/捕获块(子系统或多个.cpp文件中的模块)。在运行时,程序在循环中运行,在每个循环中,所有try块将按顺序执行(顺序无关紧要),并且我想测试代码如何对每个try / catch的异常作出反应,逐一。例如,第一次在循环中,#1 try / catch块抛出异常;第二次循环,#2 try / catch块抛出异常等等。

我打算有一个这样的全球反击计:

int g_testThrowExceptionIndex = 0;

在每次尝试/捕获中:

try
{
  TEST_THROW_EXCEPTION(__COUNTER__)
  //My logic is here...
}
catch(...)
{
  //Log or notify...
}

宏将是这样的:

#define TEST_THROW_EXCEPTION(n) \
        if(g_testThrowExceptionIndex == n)\
        {\
          g_testThrowExceptionIndex++;\
          throw g_testThrowExceptionIndex;\
        }\

如果无法在编译时生成序列号,我必须像这样编写宏:

TEST_THROW_EXCEPTION(THROW_INDEX_1)
......
TEST_THROW_EXCEPTION(THROW_INDEX_N)

在标题中,定义:

#define THROW_INDEX_1 0
#define THROW_INDEX_2 1
......

问题是,每次添加try / catch块并且想要测试时,都必须通过#define创建一个新常量并将该数字放入宏中。更糟糕的是,如果从代码中删除一些try / catch块会怎么样?您还必须更新#define列表......

==============

解决方案: 感谢Suma的想法,我最终得到了类似的东西:

#if defined(_DEBUG)  && defined(_EXCEPTION_TEST)
  extern int g_testThrowExceptionIndex;
  struct GCounter
  {
    static int counter; // used static to guarantee compile time initialization
    static int NewValue() {return counter++;}
  };
  #define TEST_THROW_EXCEPTION \
      static int myConst = GCounter::NewValue();\
      if(g_testThrowExceptionIndex == myConst)\
      {\
        g_testThrowExceptionIndex++;\
        throw 0;\
      }
#else
  #define TEST_THROW_EXCEPTION 
#endif

在main.cpp中:

#if defined(_DEBUG) && defined(_EXCEPTION_TEST)
  int g_testThrowExceptionIndex= 0;
  int GCounter::counter= 0;
#endif

然后你可以把“TEST_THROW_EXCEPTION”放在你要测试的任何try / catch块中。

2 个答案:

答案 0 :(得分:5)

您无法使用预处理器执行此操作,因为每个编译单元都是单独预处理的。为此需要运行时解决方案。您可以创建一个全局单例,并且每个需要唯一标识符的位置都可以使用此单例定义静态int。

struct GCounter
{
  static int counter; // used static to guarantee compile time initialization
  static int NewValue() {return counter++;}
};

int GCounter::counter = 0;

void Foo1()
{
  static int ID1 = GCounter::NewValue();
}

void Foo2()
{
  static int ID2 = GCounter::NewValue();
}

注意:未定义多个编译单元中的那些静态值(ID)的初始化顺序。您可以确定它们将始终是唯一的,但您不能依赖它们具有某些特定值或排序。因此,例如小心将它们保存到文件中 - 您应该将它们转换为某种中性表示。

答案 1 :(得分:1)

当您使用MSVC时,您始终可以添加一个预构建步骤来解析文件,并将__COUNTER__扩展为超全局值而不是单位全局值。当然,困难的部分是管理文件,以免造成问题......