3

我有成对的输入/输出文件。我从脚本生成输出文件的名称:output=$(generate input). 例如,这些对可能是:

in1.c      out1.o
in2.txt    data.txt
in3        config.sh
sub/in1.c  sub/out1.o

所有这些对都遵循makefile 中的相同规则集:

$(out): $(in) $(common) 
    $(run) $< > $@

编写这样的 Makefile 的简洁有效的方法是什么?

我宁愿避免从另一个脚本生成 Makefile。

4

3 回答 3

3

我不会从脚本生成 Makefile 片段,但您可以使用include

INS := in1.c in2.txt in3 sub/in1.c

include rules.mk

rules.mk: Makefile
        rm -f $@
        for f in $(INS); do \
                out=`generate "$$f"`; \
                echo -e "$$out: $$f\n\t\$$(run) \$$<> > \$$@\n\n" >> $@; \
        done
于 2012-05-16T07:23:08.807 回答
3

如果您include的文件 gmake 将尝试在任何其他目标之前生成并包含它。将此与默认规则相结合应该可以让您接近您想要的

# makefile
gen=./generate.sh
source=a b c
run=echo

# Phony so the default rule doesn't match all
.PHONY:all
all:

# Update targets when makefile changes
targets.mk:makefile
    rm -f $@
    # Generate rules like $(target):$(source)
    for s in $(source); do echo "$$($(gen) $$s):$$s" >> $@; done
    # Generate rules like all:$(target)
    for s in $(source); do echo "all:$$($(gen) $$s)" >> $@; done

-include targets.mk

# Default pattern match rule
%:
    $(run) $< > $@

generate.shlike进行测试

#!/bin/bash
echo $1 | md5sum | awk '{print $1}'

给我吗

$ make
rm -f targets.mk
for s in a b c; do echo "$(./generate.sh $s):$s" >> targets.mk; done
for s in a b c; do echo "all:$(./generate.sh $s)" >> targets.mk; done
echo a > 60b725f10c9c85c70d97880dfe8191b3
echo b > 3b5d5c3712955042212316173ccf37be
echo c > 2cd6ee2c70b0bde53fbe6cac3c8b8bb1
于 2012-05-16T07:30:39.617 回答
1

编写这样的 Makefile 的简洁有效的方法是什么?

可以给定输入列表和生成输出文件名的 shell 脚本,以使用 GNU make 功能生成目标、依赖项和规则:

all :

inputs := in1.c in2.txt in3 sub/in1.c
outputs :=

define make_dependency
  ${1} : ${2}
  outputs += ${1}
endef

# replace $(shell echo ${in}.out) with your $(shell generate ${in})
$(foreach in,${inputs},$(eval $(call make_dependency,$(shell echo ${in}.out),${in})))

# generic rule for all outputs, and the common dependency
# replace "echo ..." with a real rule
${outputs} : % : ${common}
    @echo "making $@ from $<"

all : ${outputs}

.PHONY : all 

输出:

$ make
making in1.c.out from in1.c
making in2.txt.out from in2.txt
making in3.out from in3
making sub/in1.c.out from sub/in1.c

在上面的 makefile 中,使用了一个强大的 GNU make 构造所使用的一点点:$(eval $(call ...)). 它要求make扩展宏以产生一段文本,然后将该段文本评估为一段makefile,即make生成飞行的makefile。

于 2012-05-16T08:09:13.657 回答