对Makefile.win中函数的未定义引用

时间:2014-11-10 11:57:03

标签: c++ makefile

我最近正在开展一个uni项目。一切都很好,直到我添加了一些最后的代码。当我尝试编译时,我得到:

main.cpp:(.text+0x1f6): undefined reference to 'readline(std::vector<std::string,std::allocator<std::string> >&, int)'

main.cpp:(.text+0x35d): undefined reference to 'readword(std::vector<std::string, std::allocator<std::string> >&, int)'

我的项目包含3个文件:main.cpp,read.h和read.cpp。 以下是makefile中编译器似乎遇到问题的行:

$(BIN): $(OBJ)
$(CPP) $(LINKOBJ) -o $(BIN) $(LIBS)

main.o: main.cpp
$(CPP) -c main.cpp -o main.o $(CXXFLAGS)

read.o: read.cpp
$(CPP) -c read.cpp -o read.o $(CXXFLAGS)

如果给予任何帮助,我将不胜感激。

1 个答案:

答案 0 :(得分:0)

据推测,read.cpp包含链接器无法找到的两个函数的定义。因此,您需要两个对象来构建二进制文件:

$(BIN) : read.o main.o
    $(CPP) read.o main.o -o $(BIN)

此外,您可以使用一些常见的技巧来简化您的makefile。由于您构建的所有目标文件都相同,因此您可以制定一个规则:

# rule for all .o files depends their specific .cpp
%.o : %.cpp
    # here $< refers to the "%.cpp" dependency, and "$@" is the target
    $(CPP) -c $< -o $@ $(CXXFLAGS)

这将写出您的main.oread.o规则。然后,我们需要告诉make那就是我们想要的东西:

SRC = read.cpp main.cpp
OBJ = $(patsubst %.cpp,%.o,$(SRC)) ## OBJ is "read.o main.o"

$(BIN) : $(OBJ) # depends on all the object files
     $(CPP) $(OBJ) -o $(BIN)

现在,如果你添加write.cpp,你只需修改makefile中的一行而不是几行。然后,你甚至可以避免这样做:

SRC = $(wildcard *.cpp)