8

我有一堆 printf 调试助手宏,不必指定类型会很酷,有什么可以做的,以允许在 c 中进行宏重载之类的事情(如果它在 gcc 4.3 中可用,则可以是 gcc 特定的)。我想也许是 typeof 但显然这不起作用。

示例宏(我也有一些我不记得头顶的 ascii 终端颜色的东西)

#ifdef _DEBUG
#define DPRINT_INT(x) printf("int %s is equal to %i at line %i",#x,x,__LINE__);
.
.
.
#else
#define DPRINT_INT(x)
.
.
.
#endif
4

3 回答 3

9

尝试这个; 它使用 gcc 的 __builtin 方法,并尽其所能自动为您确定类型,并提供一个简单的 DEBUG 宏,您不必指定类型。当然,你可以将 typeof(x) 与 float 等进行比较。

#define DEBUG(x)                                                 \
  ({                                                             \
    if (__builtin_types_compatible_p (typeof (x), int))          \
        fprintf(stderr,"%d\n",x);                                \
    else if (__builtin_types_compatible_p (typeof (x), char))    \
        fprintf(stderr,"%c\n",x);                                \
    else if (__builtin_types_compatible_p (typeof (x), char[]))  \
        fprintf(stderr,"%s\n",x);                                \
    else                                                         \
        fprintf(stderr,"unknown type\n");                        \

  })
于 2011-04-12T10:22:18.403 回答
1

下面的宏怎么样?它仍然需要您选择打印格式,但您不必重新定义所有可能的情况,它也适用于 MSVC:

#define DPRINT(t,v) printf("The variable '%s' is equal to '%" ## #t ## "' on line %d.\n",#v,v, __LINE__)

要使用它:

int var = 5;
const char *str = "test";
DPRINT(i,var);
DPRINT(s,str);
于 2011-04-12T10:52:04.257 回答
0

我认为您可以尝试使用以下代码:

#define DPRINT(fmt) do{ \
            my_printf fmt ; \
        } while(0)

my_printf( const char* szFormat, ... )
{
    char szDbgText[100];

    va_start(args, szFormat);
    vsnprintf(&szDbgText,99,szFormat,args);
    va_end(args);

    fprintf( stderr, "%s", szDbgText );
}
// usage
func( )
{
    int a = 5;
    char *ptr = "hello";

    DPRINT( ("a = %d, ptr = %s\n", a, ptr) );
}

注意: DPRINT 用法在此处使用双括号。

于 2011-04-13T06:53:09.970 回答