在源代码里面如果这样是定义的:
#ifdef
//可选代码
#endif
那在makefile里面
gcc
或者
gcc
这样就定义了预处理宏,编译的时候可选代码就会被编译进去了。
对于GCC编译器,有如下选项:
如:
TEST.C 文件
#include <stdio.h>
#include <stdlib.h>
main()
{
#ifdef p1
#else
#endif
}
1.
编译: gcc -o test test.c
运行: ./test
输出: Hello p2
2.
编译: gcc -o test test.c -D p1
运行: ./test
输出: Hello p1
关键词: Make宏定义 Make传递宏定义 Makefile中添加宏定义 Makefile -D
在Makefile中我们可以通过宏定义来控制源程序的编译。只要在Makefile中的CFLAGS中通过选项-D来指定你于定义的宏即可。
如:
CFLAGS += -D _YUQIANG
在编译的时候加上此选项就可以了: $(CC) $(CFLAGS) $^ -o $@
下面是我写的一个测试文件:
例如:
Makefile文件内容为:
CC = gcc
RM = rm
CFLAGS += -D _YUQIANG
TARGETS := myapp
all:$(TARGETS)
$(TARGETS):main.c
$(CC) $(CFLAGS) $^ -o $@
clean:
-$(RM) -f *.o
-$(RM) -f $(TARGETS)
main.c文件的内容为:
#include <stdio.h>
int main()
{
#ifdef _YUQIANG
printf("Hello Yu Qiang, How are you?/n");
#else
printf("Sorry to lost you. /n");
#endif
return 0;
}
在端口中输入 make clean all
然后输入 ./myapp
结果 Hello Yu Qiang, How are you?
转载 :http://blog.csdn.net/maopig/article/details/7230311
gcc还有与-D对应的另一个参数-U用于取消宏:
/* hello.c */
#include
#ifdef YESchar* str = "Yes, this is a macro.";
#elsechar* str = "No, there is no macro.";
#endif
int main()
{
printf("%s\n", str); return 0;
}
使用-D传入宏YES来进行编译:
recordus@LFS test # gcc -DYES -o helloyes hello.crecordus@LFS test # ./helloyesYes, this is a macro.
而不传入宏则是这样的:
recordus@LFS test # gcc -o hellono hello.crecordus@LFS test # ./hellonoNo, there is no macro.
root@LFS test # gcc -DYES -UYES -o helloyesno hello.croot@LFS test # ./helloyesnoNo, there is no macro.