使用makefile将多个源目录中的多个可执行文件编译为单个bin目录

时间:2015-08-04 20:47:47

标签: makefile fortran gfortran

我正在尝试为我正在处理的一套程序创建一个makefile。这些程序都是用fortran编写的,源文件包含在不同的目录中。我似乎无法弄清楚如何让事情发挥作用。我当前的sumfile是

#Compiler and compiler flag variables
FCOMP=/usr/local/bin/gfortran
F_FLAGS=-O2 -fbounds-check -Wall 
F_FLAGSDB=-g -fbounds-check -Wall

#paths to libraries
COMMON_LIB=/usr/local/lib/libspc_common.a
SPICE_LIB=/usr/local/lib/spicelib.a

# Paths to directories
BIN_DIR=BIN

# Get file names of component source files
#get names of files in src1
FORT_FILES=$(wildcard ./SRC1/*.f)
#get names of files in src2 
FORTFILES+=$(wildcard ./SRC2/*.f)   
#get names of files in src3 
FORTFILES+=$(wildcard ./SRC3/*.f)   

#get file names for output
EXE_FILES=$(addprefix $(BIN_DIR),$(notdir $(patsubst %.f, % , $(FORTFILES))))

# make commands
# Set the default option to compile the library with optimization
default: all

# create all command 
all: $(EXE_FILES)
    @echo toolkit has been built with optimization

#If compiling for debugging replace the compiler flags to remove optimization and add debugging
debug: F_FLAGS=$(F_FLAGSDB)
#Run compiler with debugging flags
debug: $(EXE_FILES)
    @echo toolkit has been built with debugging

# Compile all of the source files into executables 
$(EXE_FILES): % : %.f
    $(FCOMP) $(F_FLAGS) $^ $(COMMON_LIB) $(SPICE_LIB) -o $(BIN_DIR)/$@

# install the library in /usr/local/lib
install: 
    cp -p $(BIN_DIR)* /usr/local/bin/toolkit/   

# remove executable files for a clean build
clean:
    rm $(BIN_DIR)*

我遇到的问题是当我尝试运行make时出现以下错误:

make: *** No rule to make target `Display.f', needed by `Display'.  Stop.

我假设是因为我丢失了源文件来自的目录。有人可以帮我吗?我完全陷入困境,不知道如何继续。

另外(这是关于make的一般问题),如果COMMON_LIB发生变化,有没有办法告诉make重新编译所有内容?

感谢您的帮助!

1 个答案:

答案 0 :(得分:2)

假设您的源文件是

SRC1/alpha.f
SRC1/beta.f
SRC2/gamma.f
SRC3/delta.f

1)这里有一个缺陷:

EXE_FILES=$(addprefix $(BIN_DIR),$(notdir $(patsubst %.f, % , $(FORTFILES))))

这将产生

BINalpha BINbeta BINgamma BINdelta

当我认为你打算

BIN/alpha BIN/beta BIN/gamma BIN/delta

一个简单的解决方法:

EXE_FILES=$(addprefix $(BIN_DIR)/,$(notdir $(patsubst %.f, % , $(FORTFILES))))

2)现在看一下静态模式规则:

$(EXE_FILES): % : %.f
    ...

为了构建BIN/alpha,必须首先找到BIN/alpha.f,它不存在。要查找alpha.f,请执行以下操作:

$(EXE_FILES): $(BIN_DIR)/% : %.f
    ...

3)如何找到来源?

你可以做一些精巧的编码,以帮助记住它找到的地方alpha.f,但我们不能使用the vpath directive

vpath %.f SRC1 SRC2 SRC3

4)最后看一下该规则:

此命令:

$(FCOMP) $(F_FLAGS) $^ $(COMMON_LIB) $(SPICE_LIB) -o $(BIN_DIR)/$@

会产生例如BIN/BIN/alpha,这很愚蠢。 A non-PHONY Make rule should produce a file whose name is the target of the rule.它可以防止很多麻烦。

$(FCOMP) $(F_FLAGS) $^ $(COMMON_LIB) $(SPICE_LIB) -o $@

一旦你完美地工作,可能会进行一些进一步的改进。