Here is a Makefile that I currently use to make targets with different configurations, i.e., I am building different software packages with the same target, either all at once or individually.
.PHONY: build test %.build %.test build-all test-all
%.build %.test: PACKAGE = $*
%.build:
@echo build $(PACKAGE)
%.test:
@echo test $(PACKAGE)
build-all: a.build b.build
test-all: a.test b.test
build: $(PACKAGE).build
test: $(PACKAGE).test
I can now build all packages with make build-all
or individual packages with, e.g., make build PACKAGE=a
. However I would like to switch the body of the %.build
and build
, etc. targets as in the following:
.PHONY: build test %.build %.test build-all test-all
build:
@echo build $(PACKAGE)
test:
@echo test $(PACKAGE)
build-all: a.build b.build
test-all: a.test b.test
%.build %.test: PACKAGE = $*
$(PACKAGE).%: $*
This way, the pattern matching logic is fully separated from the "main" targets build
and test
that should contain the actual build commands; making the important parts of the Makefile more readable. However, the last line does not work as intended, i.e., running make a.build
and thus make build-all
should trigger the target build
with PACKAGE=a
. The variable assignment in second-last line works, the target matching in the last line does not.
Question: Is there a way to express a matching target like $(PACKAGE).%: $*
or to match separate parts of a target like %.%: $2
?
First you probably want:
not using
$*
, which is an automatic variable and so it has no value except inside the recipe; you can't use it like that in the prerequisite lists.Second, you can't do this in GNU make. A pattern rule with no recipe doesn't just a create prerequisite relationship, like an explicit rule would do; instead it deletes the pattern rule. Since you didn't have a pattern rule for
$(PACKAGE).%
yet, this is basically a no-op. Also, target-specific variables are only available inside the recipe, so trying to use$(PACKAGE)
in the target definition and expecting it to take the value from some previously set target-specific variable cannot work.You could do something like this, but it's not fully dynamic (you still need the list of packages and types):