STL容器作为模板参数,在调用中出错

时间:2017-08-09 06:21:51

标签: c++ templates stl c++03

不能理解什么是代码,第二个函数定义或者在main中调用这个函数? 我认为,但不确定,调用中的问题,因为没有调用代码编译得很好。编译器gcc

#include <iostream>
#include <vector>
#include <algorithm>

using namespace std;

template<class T>
void show_element(T ob)
{
    cout << ob << " ";
}

template<template<class> class S, class T>
void show_sequence(S<T> sequence)
{
    for_each(sequence.begin(), sequence.end(), show_element<T>);    
}

int main(int argc, char const *argv[])
{
    std::vector<int> v(20, 0);

    //here the problem
    show_sequence<std::vector<int>, int>(v);

    return 0;
}

3 个答案:

答案 0 :(得分:3)

std::vector不是一个参数的模板,它也需要一个分配器类型。您可以将其用作vector<T>,因为第二个参数具有默认值(std::allocator<T>)。

正如它所写,你的模板函数不能接受任何标准容器,因为在我的头顶,没有人只接受一个类型参数。

一种方法可行,而不需要您知道容器需要多少模板参数,是接受容器类型(不是模板),并从容器类型中收集值类型

template<class Seq>
void show_sequence(Seq const& sequence)
{
    typedef typename Seq::value_type T;
    for_each(sequence.begin(), sequence.end(), show_element<T>);    
}

所有标准容器都有value_type成员,因此这适用于其中任何一个。此外,它适用于任何从标准库中获取提示的容器。

答案 1 :(得分:2)

问题是std::vector是模板,但std::vector<int>是一种类型。

当你给第二个函数时,你给的是一个类型而不是模板。

因此,您可以将您的功能重写为:

template<class S>
void show_sequence(S sequence)

此外,vector不仅只有一个模板参数,而是两个(参见StoryTeller答案)

答案 2 :(得分:2)

类似于这个问题:https://stackoverflow.com/a/29493191/1889040

这是因为向量是<type, allocator>

的模板

代码应为

#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
template<class T>
void show_element(T ob)
{
    cout << ob << " ";
}
template<template<class,class> class S, class T, class Allocator>
void show_sequence(S<T, Allocator> sequence)
{
    for_each(sequence.begin(), sequence.end(), show_element<T>);
}
int main(int argc, char const *argv[])
{
    std::vector<int> v(20, 0);

    //here problem solved
    show_sequence<vector, int, allocator<int> > (v);
    show_sequence(v);

    return 0;
}