3

我正在尝试创建一个 Makefile,它将通过tic. tic还将它自动创建的 termcap 文件复制到系统或用户特定的目标文件夹。对于普通用户,如果 terminfo 文件是 eg screen-256color-bce-s.terminfo,它将被编译并复制到~/.terminfo/s/screen-256color-bce-s. 所以它看起来像这样:

terminfo/screen-256color-bce-s.terminfo => /home/user/.terminfo/s/screen-256color-bce-s
terminfo/screen-256color-s.terminfo => /home/user/.terminfo/s/screen-256color-s

如果我将这样的内容放入我的 Makefile 中:

TISRC = $(wildcard terminfo/*.terminfo)
TIDST = $(foreach x, $(TISRC), $(HOME)/.terminfo/$(shell basename $x|cut -c 1)/$(shell basename $x .terminfo))

$(HOME)/.terminfo/s/%: terminfo/%.terminfo
    @echo "$< => $@"
    @tic $<

install: $(TIDST)

有用。但是,我想让它通用,并在目标中使用通配符,即:

$(HOME)/.terminfo/**/%: terminfo/%.terminfo
    @echo "$< => $@"
    @tic $<

能够将 terminfo 文件添加到我的本地存储库。但是,上述方法不起作用。如何在模式规则中指定通配符目录?

4

2 回答 2

7

您可以使用GNU Make Secondary Expansion 功能做到这一点:

all : ${HOME}/.terminfo/x/a
all : ${HOME}/.terminfo/y/b

.SECONDEXPANSION:
${HOME}/.terminfo/%: terminfo/$$(notdir $$*).terminfo
    @echo "$< ---> $@"

输出:

[~/tmp] $ make
terminfo/a.terminfo ---> /home/max/.terminfo/x/a
terminfo/b.terminfo ---> /home/max/.terminfo/y/b

附带说明一下,make 提供了一些路径操作函数,因此您实际上不需要为此调用 shell。

于 2013-04-11T14:03:19.860 回答
1

我不认为您可以按照您尝试的方式使用通配符,但如果您不介意使用eval技巧,则无需明确拼出所有目录路径即可获得所需的效果:

TISRC = $(wildcard terminfo/*.terminfo)
BASENAMES = $(notdir $(basename ${TISRC}))

MKDST = ${HOME}/.terminfo/$(shell echo $1 | cut -c 1)/$1
TIDST := $(foreach s,${BASENAMES},$(call MKDST,$s))
DIRLTRS = $(notdir $(patsubst %/,%,$(sort $(dir ${TIDST}))))

install: ${TIDST}

# $1 - Directory Name
# $2 - File name
define T
${HOME}/.terminfo/$1/$2 : terminfo/$2.terminfo
    @echo "$$< => $$@"
    tic $$<
endef

# This is the tricky part: use template T to make the rules you need.
$(foreach d,${DIRLTRS},$(foreach f,${BASENAMES},$(eval $(call T,$d,$f))))
于 2013-04-11T17:02:12.787 回答