C++ 犯错误:“;g++;:错误:main.o:没有这样的文件或目录;

C++ 犯错误:“;g++;:错误:main.o:没有这样的文件或目录;,c++,makefile,C++,Makefile,我是Makefile的新手,正在尝试用它创建一个cpp项目。 现在我只有“hello world”程序(只有main.cpp文件)。 尝试使用make编译时,我无法停止出现此错误: g++ -std=c++0x -g -Wall -o sub_game main.o g++: error: main.o: No such file or directory g++: fatal error: no input files compilation terminated. Makefile:38:

我是Makefile的新手,正在尝试用它创建一个cpp项目。 现在我只有“hello world”程序(只有main.cpp文件)。 尝试使用make编译时,我无法停止出现此错误:

g++ -std=c++0x -g -Wall -o sub_game  main.o
g++: error: main.o: No such file or directory
g++: fatal error: no input files
compilation terminated.
Makefile:38: recipe for target 'sub_game' failed
make: *** [sub_game] Error 4
我不明白我做错了什么,非常感谢你的帮助

这是生成文件:

# the compiler: gcc for C program, define as g++ for C++
CC = g++

# compiler flags:
#  -g    adds debugging information to the executable file
#  -Wall turns on most, but not all, compiler warnings
CXXLAGS  = -std=c++0x -g -Wall

# the build target executable:
TARGET = sub_game 

# define any libraries to link into executable:
LIBS = -lpthread -lgtest

# define the C source files
SRCS = ../src

# define the C object files 
#
# This uses Suffix Replacement within a macro:
#   $(name:string1=string2)
#         For each word in 'name' replace 'string1' with 'string2'
# Below we are replacing the suffix .cc of all words in the macro SRCS
# with the .o suffix
#
#OBJ = $(SRCS)/main.cc
OBJ = main.o

# define any directories containing header files other than /usr/include
#
INCLUDES = -I../include

all : $(TARGET)

$(TARGET) : $(OBJ)
            $(CC) $(CXXLAGS) -o $(TARGET) $(OBJ)

main.o : $(SRCS)/main.cpp

.PHONY : clean
clean :
    rm $(TARGET) $(OBJ)

高级版谢谢。

它需要一个命令,下面是main.o规则:

main.o : $(SRCS)/main.cpp
    $(CC) $(CXXFLAGS) -c -o $@ $^

Makefile用于编译程序,而无需每次进入命令行,并避免重新编译不需要的程序

在这里,对于一个文件的小项目,您每次都会重新编译您的文件,但是对于更大的项目,如果您不每次都重新编译所有文件,您将节省大量时间(例如,如果您使用一些大型库源代码)

因此,您需要稍微更改Makefile,以避免重新编译不需要的内容:

SRCS = ../src/main.cpp\ #Put here the relative path to your .cpp
       ../src/exemple_second_file.cpp

OBJS = $(SRCS:.cpp=.o) # Here you get the .o of every .cpp

TARGET = sub_game # The executable name

CC = g++

CXXFLAGS = std=c++0x -g -Wall

LIBS = -lpthread -lgtest

all: $(TARGET)

$(TARGET): $(OBJS) # This line will compile to .o every .cpp which need to be (which have been modified)
           $(CC) -o $(TARGET) $(OBJS) $(LIBS) # Linking (no need to CXXFLAGS here, it's used when compiling on previous line

ETC... # And so on...
这样,您的makefile将使用$(CXXFLAGS)自动编译$(OBJS)(main.o规则至少在linux上是隐式的,我不知道winodws的规则)

诚恳地, JM445


(对不起,我的英语,我是法国人)

看起来还可以。尝试在main.o规则下面编写一个编译命令。我添加了这个规则,它的工作是:g++-c$(SRCS)/main.cpp。我需要添加的就是这些吗?我想它现在可以工作了。。。顺便说一句,使用CXXFLAGS(而不是CXXLAGS)谢谢你的回答解释了很多。谢谢你的帮助,但我选择使用上面的答案。