我很难找到编译器为什么告诉我这个:
main.cpp:51:17: error: ‘unique_ptr’ in namespace ‘std’ does not name a template type
static std::unique_ptr<Pizza> createPizza(PizzaType t_pizza)
和此:
main.cpp:69:5: error: ‘unique_ptr’ is not a member of ‘std’
std::unique_ptr<Pizza> pizza = PizzaFactory::createPizza(t_pizzaType);
我有unique_ptr的包含
#include <memory>
我使用了很好的C ++编译标志
CFLAGS = -std=c++11 -W -Wall -Wextra -Werror -pedantic
我已经尝试使用命名空间std ;
以下是我使用 std :: unique_ptr
的代码块class PizzaFactory
{
public:
enum PizzaType
{
Hawaiian,
Vegetarian,
Carnivoro
};
static std::unique_ptr<Pizza> createPizza(PizzaType t_pizza)
{
switch (t_pizza)
{
case Hawaiian:
return std::unique_ptr<HawaiianPizza>(new HawaiianPizza());
case Vegetarian:
return std::unique_ptr<VegetarianPizza>(new VegetarianPizza());
case Carnivoro:
return std::unique_ptr<CarnivoroPizza>(new CarnivoroPizza());
default:
throw "Invalid pizza type.";
}
}
};
void pizza_information(PizzaFactory::PizzaType t_pizzaType)
{
std::unique_ptr<Pizza> pizza = PizzaFactory::createPizza(t_pizzaType);
std::cout << "Price of " << t_pizzaType << "is " << pizza->getPrice() << '\n';
}
我真的可以找到这段代码的错误,请帮忙
谢谢。
修改
这是我使用的Makefile:
NAME = plazza
G++ = g++
CFLAGS = -W -Wall -Wextra -Werror -std=c++11
SRC = main.cpp
OBJ = $(SRC:.cpp=.o)
RM = rm -rf
all: $(NAME)
$(NAME): $(OBJ)
$(G++) $(CFLAGS) $(OBJ) -o $(NAME)
clean:
$(RM) $(OBj)
fclean: clean
$(RM) $(NAME)
re: fclean all
EDIT2
这里有一个代码错误的小代码:
#include <memory>
#include <iostream>
class Hi
{
public:
void sayHi(const std::string &t_hi)
{
std::cout << t_hi << '\n';
}
};
int main()
{
auto hi = std::unique_ptr<Hi>(new Hi());
hi->sayHi("Salut");
return 0;
}
使用上面的Makefile编译,你应该有错误
答案 0 :(得分:4)
尝试添加
#include <memory>
到文件的顶部。
答案 1 :(得分:4)
CFLAGS
适用于C编译器。您正在使用C ++和C ++编译器。在Makefile中使用CXXFLAGS
来设置C ++编译器的标志:
NAME = plazza
G++ = g++
CXXFLAGS = -W -Wall -Wextra -Werror -std=c++11
SRC = main.cpp
由于您正在设置C标志,因此未启用C ++ 11,因为-std=c++11
未传递给您的C ++编译器。如果您使用C编译器进行编译,编译器(至少GCC会将其设置为AFAIK)会警告C编译器上设置的C ++标志。您可以在这些编译器错误情况下使用make VERBOSE=1
进行调试。
答案 2 :(得分:0)
如果要创建cmake项目,则可以向CmakeLists.txt添加一行代码,如下所示。
set(CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -std=c++11")
Ethereal已解释了错误原因的详细信息。