C 预处理器定义替换字符串格式说明符

C preprocessor define to replace string format specifier

我想知道是否可以使用 C 预处理定义来更改字符串格式说明符。我尝试编写以下内容,但似乎遇到了编译器错误。它只是试图用正确的格式说明符替换现有的格式说明符。

#include <stdio.h>

//This is the problem line....
#define %d %llu    

int main(int argc, char** argv){
    unsigned long long int myInt = 0;

    printf("myInt start value: %d", myInt++);
    printf("myInt value=%d (that got incremented)", myInt++);
    printf("myInt value: %d; wow, another post-increment", myInt++);
    printf("myInt final value %d", myInt);

    return 0;    
}

我收到以下编译器错误:

error: expected an identifier
  #define %d %llu
          ^

为什么不接受这种语法?甚至可以完成吗?

你想做的是不可能的。

宏不会在字符串文字中被替换,有效标识符名称的规则也适用于宏名称。

你可以这样做:

#if xyz
  #define FMT   "%d"
#else
  #define FMT   "%lli"
#endif

....

printf("myInt start value: " FMT "\n", myInt++);

顺便说一句: 通常你不需要这个。对于原生类型 intlong 等,格式说明符应该可以正常使用。

对于固定大小的类型(例如 int64_t 等),已经在 inttypes.h

中定义了宏

有可能实现吗?不,按照你的方式是不可能的。在声明中

#define %d %lli 

宏名称必须是有效的标识符

来自C99标准

section 6.10.1

# define identifier replacement-list new-line

and from 7.1.13

  • 所有以下划线和大写字母或另一个下划线开头的标识符始终保留给任何 使用。
  • 所有以下划线开头的标识符始终保留用作标识符 在普通和标记名称空间中具有文件范围。
  • 以下任何子条款中的每个宏名称(包括未来的库 directions) 如果包含任何相关的 headers,则保留用于指定用途; 除非另有明确说明(见 7.1.4)。

使macro-name成为有效的标识符。例如,将宏定义为

#define INT_FMT "%d"

然后

 int myInt = 10;
 printf("myInt start value is : "  INT_FMT  "\n", myInt);