Pau*_*per 6 c++ templates template-meta-programming c++11
我正在尝试使用模板模板参数,类似于此处和此处(以及许多其他地方)所做的操作.
#include <vector>
template<template<class> class A, class B>
void f(A<B> &value) {
}
int main() {
std::vector<int> value;
f<std::vector, int>(value);
}
Run Code Online (Sandbox Code Playgroud)
但
$ g++-4.8 -std=c++0x base64.cpp
base64.cpp: In function ‘int main()’:
base64.cpp:9:23: error: no matching function for call to ‘f(std::vector<int>&)’
f<std::vector, int>(value);
^
base64.cpp:9:23: note: candidate is:
base64.cpp:4:6: note: template<template<class> class H, class S> void f(const H<S>&)
void f(H<S> &value) {
Run Code Online (Sandbox Code Playgroud)
我错过了什么?
Who*_*aig 10
很确定这就是你要找的东西:
template<template<class, class...> class V, class T, class... Args>
void fn(V<T,Args...>& value)
{
// use value here.
}
Run Code Online (Sandbox Code Playgroud)
简单地调用为:
std::vector<int> v;
fn(v);
Run Code Online (Sandbox Code Playgroud)
在你问之前,是的,你可以使用需要更多参数的模板(比如std::map<>
等),只需确保Arg...
覆盖选项,然后指定你关心的强制性.如:
#include <iostream>
#include <vector>
#include <list>
#include <map>
#include <unordered_map>
#include <cstdlib>
template< template<class, class...> class V, class T, class... Args>
void fn_seq(const V<T,Args...>& value)
{
std::cout << __PRETTY_FUNCTION__ << '\n';
// use value here.
}
template< template<class, class, class...> class C, class K, class V, class... Args>
void fn_assoc(const C<K,V,Args...>& value)
{
// use value here.
std::cout << __PRETTY_FUNCTION__ << '\n';
}
int main()
{
std::vector<int> vec;
fn_seq(vec);
std::list<double> lst;
fn_seq(lst);
std::map<int, float> m;
fn_assoc(m);
std::unordered_map<long, long> um;
fn_assoc(um);
return EXIT_SUCCESS;
}
Run Code Online (Sandbox Code Playgroud)
产量
void fn_seq(const V<T, Args...> &) [V = vector, T = int, Args = <std::__1::allocator<int>>]
void fn_seq(const V<T, Args...> &) [V = list, T = double, Args = <std::__1::allocator<double>>]
void fn_assoc(const C<K, V, Args...> &) [C = map, K = int, V = float, Args = <std::__1::less<int>, std::__1::allocator<std::__1::pair<const int, float> >>]
void fn_assoc(const C<K, V, Args...> &) [C = unordered_map, K = long, V = long, Args = <std::__1::hash<long>, std::__1::equal_to<long>, std::__1::allocator<std::__1::pair<const long, long> >>]
Run Code Online (Sandbox Code Playgroud)
Vector 有 2 个模板参数(第二个几乎从未使用过,并且具有默认分配器类型)
template < class T, class Alloc = allocator<T> > class vector;
Run Code Online (Sandbox Code Playgroud)
所以应该是:
template<template<class,class> class H, class S,class A>
void f(const H<S,A> &value) {
}
Run Code Online (Sandbox Code Playgroud)