4

我正在尝试制作一个执行以下操作的makefile:

  • src目录获取源文件
  • 将目标文件放在obj目录中
  • 将二进制文件放入bin目录
  • 将发布目标放在rel目录中
  • 将调试目标放在dbg目录中

我遇到的第一个问题是我的目标特定变量似乎在这里不起作用是makefile:

# Build Directories
src_dir=src
obj_dir=obj
bin_dir=bin

cc=cl
cc_flags=

# create the directory for the current target.
dir_guard=@mkdir -p $(@D)

# source files
src = MainTest.cpp

# object files - replace .cpp on source files with .o and add the temp directory prefix
obj = $(addprefix $(obj_dir)/$(cfg_dir)/, $(addsuffix .obj, $(basename $(src))))

release: cfg_dir = rel
release: executable

debug: cfg_dir = dbg
debug: cc_flags += -Yd -ZI
debug: executable

executable: $(bin_dir)/$(cfg_dir)/MainTest.exe

# build TwoDee.exe from all of the object files.
$(bin_dir)/$(cfg_dir)/MainTest.exe : $(obj)
    $(dir_guard)
    $(cc) -out:$@ $(obj) -link

# build all of the object files in the temp directory from their corresponding cpp files.
$(obj_dir)/$(cfg_dir)/%.obj : $(source_dir)/%.cpp
    $(dir_guard)
    $(cc) $(cc_flags) -Fo$(obj_dir)/$(cfg_dir) -c $<

当我运行 make debug 时,我得到:

make: *** No rule to make target `obj//MainTest.obj', needed by `bin//MainTest.exe'.

还有其他问题,因为如果我删除调试和发布变量并将cfg_dir 硬编码到 rel我会得到:

make: *** No rule to make target `obj/rel/MainTest.obj', needed by `bin/rel/MainTest.exe'.  Stop.

所以我的对象规则也一定是错误的。我是制作文件的新手,所以如果有人看到其他错误的东西,欢迎发表评论。

4

1 回答 1

4

特定于目标的变量仅在配方中可用,在规则中不可用。这是因为在读取 Makefile 时会解析规则,并从中推断出依赖关系。

为了使您的规则适合多个可能的值cfg_dir,我建议您查看 GNU Make 手册的eval部分中的示例。这解释了这样的事情:

release: $(bin_dir)/rel/MainTest.exe

debug: cc_flags += -Yd -ZI
debug: $(bin_dir)/dbg/MainTest.exe

define template =

# build TwoDee.exe from all of the object files.
$(bin_dir)/$(cfg_dir)/MainTest.exe : $(obj)
    $$(dir_guard)
    $$(cc) -out:$$@ $(obj) -link

# build all of the object files in the temp directory from their corresponding cpp files.
$(obj): $(obj_dir)/$(cfg_dir)/%.obj : $$(src_dir)/%.cpp
    $$(dir_guard)
    $$(cc) $$(cc_flags) -Fo$(obj_dir)/$(cfg_dir) -c $$<

endef
$(foreach cfg_dir,rel dbg,$(eval $(template)))
于 2012-07-04T14:57:01.513 回答