C ++用宏替换函数

时间:2012-11-06 11:34:14

标签: c++ c

我们在C ++代码中有一个现有的函数实现:

void Function(int param)
{
    printf("In Function\n");
}

int main()
{
    Function(10);
    return 0;
}

我希望将其更改为调用另一个函数(通过宏声明的帮助),它可以接受其他参数,例如 FILE LINE (用于调试目的)然后调用实际功能:

#define Function(param) Function_debug(param, __FILE__,  __FUNCTION__,  __LINE__) \
{\
    printf("In Function_debug [%s] [%s] [%d]\n", file, func, line); \
    Function(param);\
}

但是下面的代码:

#include <stdio.h>

#define Function(param) Function_debug(param, __FILE__,  __FUNCTION__,  __LINE__) \
{\
    printf("In Function_debug [%s] [%s] [%d]\n", file, func, line); \
    Function(param);\
}

void Function(int param)
{
    printf("In Function\n");
}

int main()
{
    Function(10);
    return 0;
}

翻译TO:

void Function_debug(int param, "temp.cpp", __FUNCTION__, 9) { printf("In Function_debug [%s] [%s] [%d]\n", file, func, line); Function(int param);}
{
    printf("In Function\n");
}

int main()
{
    Function_debug(10, "temp.cpp", __FUNCTION__, 16) { printf("In Function_debug [%s] [%s] [%d]\n", file, func, line); Function(10);};
    return 0;
}

,它会产生编译错误。

请指导我如何实现目标?

4 个答案:

答案 0 :(得分:6)

通常你会做这样的事情:

#if DEBUG
#define FUNCTION(param) Function_debug(param, __FILE__,  __FUNCTION__,  __LINE__)
#else
#define FUNCTION(param) Function(param)
#endif

void Function(int param)
{
    printf("In Function\n");
}

void Function_debug(int param, const char * file,  const char * func,  int line)
{
    printf("In Function_debug [%s] [%s] [%d]\n", file, func, line); \
    Function(param);
}

int main()
{
    FUNCTION(10);
    return 0;
}

答案 1 :(得分:0)

第一条规则:为宏使用不同的名称及其替换的功能 第二条规则:如果使用gcc,将代码块包装在括号({})中,使您的函数可以调用,就好像printf("%f\n",sqrt(2.0));

一样

#define Function(a) ({ printf("Debug stuff\n"); orig_function(a);})

答案 2 :(得分:0)

你应该先实现第二个函数,然后在你的宏中只需将你的代码重定向到它,在你的版本中你实现了使用宏的函数:

void function( int param )
{
    // do something interesting here
}
void function_debug( int param, char const* fileName, unsigned line, char const* fn)
{
    // debug position here
    function( param );
}

#ifndef NDEBUG
#    define Function( param )    function_debug( param, __FILE__, __LINE__, __FUNCION__ )
#else
#    define Function( param )    function( param )
#endif

答案 3 :(得分:0)

您无法将调试打印添加到Function吗?

void Function(int param)
{
    #ifdef DEBUG
    //debug stuff
    #endif
    printf("In Function\n");
}