我正在尝试设置一个Makefile来搜索和复制一些文件(if-else条件),我无法弄清楚它到底出了什么问题? (你我很确定这是因为空格/标签的组合写在错误的地方)。 我可以帮忙吗?
这是我目前所拥有的:
obj-m = linuxmon.o
KDIR = /lib/modules/$(shell uname -r)/build
UNAME := $(shell uname -m)
all:
$(info Checking if custom header is needed)
ifeq ($(UNAME), x86_64)
$(info Yes)
F1_EXISTS=$(shell [ -e /usr/include/asm/unistd_32.h ] && echo 1 || echo 0 )
ifeq ($(F1_EXISTS), 1)
$(info Copying custom header)
$(shell sed -e 's/__NR_/__NR32_/g' /usr/include/asm/unistd_32.h > unistd_32.h)
else
F2_EXISTS=$(shell [[ -e /usr/include/asm-i386/unistd.h ]] && echo 1 || echo 0 )
ifeq ($(F2_EXISTS), 1)
$(info Copying custom header)
$(shell sed -e 's/__NR_/__NR32_/g' /usr/include/asm-i386/unistd.h > unistd_32.h)
else
$(error asm/unistd_32.h and asm-386/unistd.h does not exist)
endif
endif
$(info No)
endif
@make -C $(KDIR) M=$(PWD) modules
clean:
make -C $(KDIR) M=$(PWD) clean
rm unistd_32.h
无论如何,这将打印“是”,“复制标题”两次,然后它将退出说sed无法读取/usr/include/asm-i386/unistd.h
(当然,它无法读取,因为我在x64系统)。
我可以说make
只是不理解if / else而是逐行运行所有内容。
答案 0 :(得分:52)
这里有几个问题,所以我将从我常用的高级建议开始:从小而简单开始,一次添加一点复杂性,在每一步测试,并且永远不会添加到没有的代码不行。(我真的应该热键。)
您正在以令人眼花缭乱的方式混合使用Make语法和shell语法。如果没有测试,你永远不应该让它变大。让我们从外面开始,向内工作。
UNAME := $(shell uname -m)
all:
$(info Checking if custom header is needed)
ifeq ($(UNAME), x86_64)
... do some things to build unistd_32.h
endif
@make -C $(KDIR) M=$(PWD) modules
所以你想在调用第二个make
之前构建(可能)unistd_32.h,你可以把它作为先决条件。而且因为你只想在某种情况下,你可以把它放在一个条件:
ifeq ($(UNAME), x86_64)
all: unistd_32.h
endif
all:
@make -C $(KDIR) M=$(PWD) modules
unistd_32.h:
... do some things to build unistd_32.h
现在构建unistd_32.h
:
F1_EXISTS=$(shell [ -e /usr/include/asm/unistd_32.h ] && echo 1 || echo 0 )
ifeq ($(F1_EXISTS), 1)
$(info Copying custom header)
$(shell sed -e 's/__NR_/__NR32_/g' /usr/include/asm/unistd_32.h > unistd_32.h)
else
F2_EXISTS=$(shell [[ -e /usr/include/asm-i386/unistd.h ]] && echo 1 || echo 0 )
ifeq ($(F2_EXISTS), 1)
$(info Copying custom header)
$(shell sed -e 's/__NR_/__NR32_/g' /usr/include/asm-i386/unistd.h > unistd_32.h)
else
$(error asm/unistd_32.h and asm-386/unistd.h does not exist)
endif
endif
您正在尝试从unistd.h
构建unistd_32.h
;唯一的诀窍是unistd_32.h
可以在两个地方中的任何一个地方。清除它的最简单方法是使用vpath
指令:
vpath unistd.h /usr/include/asm /usr/include/asm-i386
unistd_32.h: unistd.h
sed -e 's/__NR_/__NR32_/g' $< > $@
答案 1 :(得分:52)
您可以简单地使用shell命令。如果要抑制回显输出,请使用“@”符号。例如:
{{1}}
注意结束“;”并且“\”是必要的。