代码:
template <typename element_type, typename container_type = std::deque<element_type> >
class stack
{
public:
stack() {}
template <typename CT>
stack(CT temp) : container(temp.begin(), temp.end()) {}
bool empty();
private:
container_type container;
};
template <typename element_type, typename container_type = std::deque<element_type> >
bool stack<element_type, container_type>::empty()
{
return container.empty();
}
编译时会出错。
封闭
的类的模板参数的默认参数'bool stack<element_type,container_type>::empty()'
为什么编译器会抱怨,我该如何使它工作?
答案 0 :(得分:25)
您尝试将第二个模板参数的默认参数提供给stack
两次。默认模板参数,就像默认函数参数一样,只能定义一次(每个翻译单元);甚至不允许重复完全相同的定义。
只需在定义类模板的开头键入默认参数即可。在那之后,把它留下来:
template<typename element_type,typename container_type>
bool stack<element_type,container_type>::empty(){
return container.empty();
}
答案 1 :(得分:3)
根据语法,默认参数是类的默认参数,它只在类声明中有意义。
如果你打电话给那个功能......
stack<foo,bar>().empty();
您只在类名的网站上有模板参数,您已在模板类声明的位置提供了默认参数。
只需从函数定义中删除默认参数即可解决问题:
template<typename element_type,typename container_type>
bool stack<element_type,container_type>::empty(){
return container.empty();
}