模板模板参数 - 类型/值不匹配错误

时间:2012-04-07 21:22:45

标签: c++ class templates

以下是示例代码:

#include <stack>
#include <cstddef>

template <std::size_t N,
         template <class> class Stack = std::stack
         >   
class Tower : protected Stack<int>
{   
    public:
        Tower() : Stack<int>(N)
        {   
        }   
};  


int main(int argc, char **argv)
{   
    Tower<5L> tower1();
} 

我看到编译器(gcc)不满意:

file.cpp: In function 'int main(int, char**)':
file.cpp:18:11: error: type/value mismatch at argument 2 in template parameter 
list for 'template<long unsigned int N, template<class> class Stack> class Tower'
file.cpp:18:11: error: expected a template of type 'template<class> class Stack',
got 'template<class _Tp, class _Sequence> class std::stack'
file.cpp:18:21: error: invalid type in declaration before ';' token

标准堆栈容器具有以下形式:

template <class Type, class Container = deque<Type> > class stack;

意思是我可以在这里只传递一个模板参数!

有关如何解决此问题的任何想法? 感谢

3 个答案:

答案 0 :(得分:4)

'template<class> class Stack', got 'template<class _Tp, class _Sequence> class std::stack'显示了问题。

以下是std::stack的样子

template<
    class T,
    class Container = std::deque<T>
> class stack;

如您所见,有第二个参数。

添加:

#include <deque>
template <std::size_t N,
         template <class T, class = std::deque<T>> class Stack = std::stack
         >   

应该让它编译。<​​/ p>

答案 1 :(得分:4)

std::stack有多个模板参数。因此,它无法用于您的情况。您可以使用 template typedefs 在C ++ 11中解决此问题。

template <typename T>
using stack_with_one_type_parameter = std::stack<T>;

template <std::size_t N,
     template <class> class Stack = stack_with_one_type_parameter
     >
class Tower;

答案 2 :(得分:2)

谢谢,这很漂亮。以下是我的代码的修改:

#include <stack>
#include <queue>
#include <cstddef>

template <std::size_t N,
         class T,
         template <class, class> class Stack = std::stack,
         class C = std::deque<T>
         >   
class Tower : protected Stack<T,C>
{   
    public:
        Tower() : Stack<T,C>(N)
        {   
        }   
};  


int main(int argc, char **argv)
{   
    Tower<5UL, int> tower1();
    Tower<5UL, int, std::queue> tower2();
    Tower<5UL, int, std::stack, std::deque<int> > tower3();
}