1、定义宏
#define ARRAY_SIZE 100
double data[ARRAY_SIZE];
如下图,上方代码在编译器进行宏替换时会将代码中的ARRAY_SIZE替换成100
2、宏函数
宏函数的参数是没有任何类型的概念的,因此
宏函数使用如下,代码中的MAX(3,4)
会替换成宏定义的表达式
#define MAX(a,b) a > b ? a : b
int n1 = MAX(3,4);
注意
上方替换出错,是因为给宏函数的参数传递的是一个表达式,可以使用下图方法
宏函数的参数不要传表达式,如下图,表达式进行了2次运算
3、多行宏
使用斜杠连接下一行代码,适用于代码很长的宏
#define IS_HEX_CHARACTOR(ch) \
( (ch) >= '0' && (ch) <= '9') || \
( (ch) >= 'A' && (ch) <= 'F') || \
( (ch) >= 'a' && (ch) <= 'f')
int main(){
printf("is hex charactor:%d", IS_HEX_CHARACTOR('a'));
}
3、宏变长参数
#define PRINTLNF(format, ...) printf(format, __VA_ARGS__)
4、原样输出变量名
4、例子
#include <stdio.h>
#define PRINTF(format, ...) printf("("__FILE__":%d) %s: "format,__LINE__,__FUNCTION__, ##__VA_ARGS__)
#define PRINT_INT(value) PRINTF(#value":%d \n", value)
int main(){
int no = 1;
PRINT_INT(no);
return 0;
}