$(if $(KBUILD_VERBOSE:1=),@) 语法释疑

原文地址:http://blog.csdn.net/lcw_202/article/details/6656633

 

内核版本:2.6.35.13

在 Makefile 的 125 行中有一句:

[cpp] view plain copy print ?
  1. $(if $(KBUILD_VERBOSE:1=),@)$(MAKE) -C $(KBUILD_OUTPUT) \  
  2.     KBUILD_SRC=$(CURDIR) \  
  3.     KBUILD_EXTMOD="$(KBUILD_EXTMOD)" -f $(CURDIR)/Makefile \  
  4.     $(filter-out _all sub-make,$(MAKECMDGOALS))  
其中 $(if $(KBUILD_VERBOSE:1=)),@) 的用法看起来有点蹊跷,实际上 $(VAR:x=y) 这种语法相当于 $(patsubst x,y,$(VAR)) 的缩写。这里需要注意一点,x 和 y 前面不能有 ‘%’ 匹配符,这是因为 '%' 已经被默认添加,所以它就如同如下形式:
$(patsubst %x,%y,$(VAR))

这样,$(if $(KBUILD_VERBOSE:1=)),@) 被展开为:
引用
[cpp] view plain copy print ?
  1. $(if $(patsubst %1,%,$(KBUILD_VERBOSE)),@)  
所以,只要 KBUILD_VERBOSE 为非 1 的任何字符时,整个表达式的结果就是 : @ 。如果 KBUILD_VERBOSE 为 1 时,那么整个表达式结果为空。实际上,表达式结果为 @ 时,就是希望后面的命令能够静默执行。


测试代码-1

复制代码
[cpp] view plain copy print ?
  1. KBUILD_VERBOSE := hello1  
  2. all:  
  3.         @echo "$(if $(KBUILD_VERBOSE:1=),@)"  


运行输出:

引用
[beyes@beyes Makefile]$ make
@



测试代码-2

复制代码
[cpp] view plain copy print ?
  1. KBUILD_VERBOSE := 1  
  2. all:  
  3.         @echo "$(if $(KBUILD_VERBOSE:1=),@)"  


运行输出:

引用
$ make
                         #输出为空

此种用法还出现在:

U-Boot 版本:1.1.6
在 U-Boot 的 Makefile 里有这么一个变量:

引用


 

[cpp] view plain copy print ?
  1. sbc2410x_config: unconfig  
  2.         @$(MKCONFIG) $(@:_config=) arm arm920t sbc2410x NULL s3c24x0  


在 $(@:_config=) 中,$@ 表示所有的目标文件。也就是说,原先生成的目标文件的文件名末尾是 "_config" 字符串,而 '=' 号后为空,表示去掉 _config 这部分。
比如有 Makefile 文件内容如下:

引用
hello_config: hello.o
        gcc -o $(@:_config=) $^
hello.o: hello.c
        gcc -Wall -c hello.c -o hello.o


make 后输出:

引用
t$ ls
hello  hello.c  hello.h  hello.o  Makefile


从这里可见,原本要输出的目标文件 hello_config 的可执行文件被改名为 hello 。

你可能感兴趣的:(makefile)