我正在尝试使用带有以下makefile的g ++ 4.8.2来使用一些C ++ 11特性
CC=g++
DEBUG=-g
CFLAGS=-c -Wall -std=c++11 $(DEBUG)
LFLAGS = -Wall -std=c++11 $(DEBUG)
SOURCES=test.cpp
OBJECTS=$(SOURCES:.cpp=.o)
EXECUTABLE=test
all: $(SOURCES) $(EXECUTABLE)
$(EXECUTABLE): $(OBJECTS)
$(CC) $(LFLAGS) $(OBJECTS) -o $@ -std=c++11
.cpp .o:
$(CC) $(CFLAGS) $< -o $@ -std=c++11
clean:
rm -rf *o $(EXECUTABLE)
但是当我打电话给“make”时,这是我收到的错误消息
$ make
g++ -c -o test.o test.cpp
test.cpp: In function ‘int main()’:
test.cpp:18:15: error: range-based ‘for’ loops are not allowed in C++98 mode
for (int i : {2, 3, 5, 7, 9, 13, 17, 19})
^
make: *** [test.o] Error 1
在我看来,-std = c ++ 11没有被拾取,所以我试图在不同的地方抛出该选项,但仍然发生同样的错误。
目前的解决方法是直接使用命令行,这对我有用
$ cat test.cpp
#include <iostream>
using namespace std;
int main()
{
cout << "Hello World" << endl;
for (int i : {2, 3, 5, 7, 9, 13, 17, 19})
{
cout << i << " ";
}
cout << endl;
return 0;
}
$ g++ -std=c++11 test.cpp -o test -W
$ ./test
Hello World
2 3 5 7 9 13 17 19
我只是想知道为什么makefile不会做同样的事情,以及如何更新makefile以使用-std = c ++ 11选项。
答案 0 :(得分:7)
您的makefile存在各种问题,但主要的问题似乎是您从.cpp
文件创建对象的规则是错误的。
%.o : %.cpp
$(CC) $(CFLAGS) $< -o $@
另一方面,可能更容易利用make
implicit rules,并设置CXXFLAGS
,CXX
等。例如,设置< / p>
CXX = g++
CXXFLAGS = -Wall -std=c++11 $(DEBUG)
CPPFLAGS += .... # pre-processor flags, for include paths etc.
并删除%.o
规则,让make做自己的事情。请注意,CC
和CFLAGS
通常用于C代码。
答案 1 :(得分:1)
我认为.cpp .o:
规则中的空格令人困惑。但是我会按照@ juanchopanza的建议去转换到更新的模式语法 - 它更加清晰。