我正在寻找一种将函数指针、仿函数或 lambda 传递给g
使用传递函数的参数类型的模板函数的方法,例如:
template<class T1, class T2, class T3>
struct wrapper_t {
boost::function<void(T1,T2,T3)> f;
wrapper_t( boost::function<void(T1,T2,T3)> f ) : f(f) {}
void operator( std::vector<T1> &a, std::vector<T2> &b, T3 c ) {
assert(a.size() == b.size());
for(size_t i = 0 ; i != a.size() ; i++) f(a[i], b[i], c);
}
};
template<class T1, class T2, class T3>
wrapper_t<T1,T2,T3> make_wrapper( boost::function<void(T1,T2,T3)> f ) {
return wrapper_t<T1,T2,T3>( f );
}
void f(int, double, char) {};
wrapper_t<int, double, char> w0(f); // need to repeat types
auto w1 = make_wrapper(f); // more comfortable
std::vector<int> a{{1, 2, 3}};
std::vector<double> b{{1.0, 2.0, 3.0}};
w0( a, b, 'c' );
w1( a, b, 'c' );
该make_wrapper
函数仅用于从参数中提取类型,一些语法糖以避免必须键入两次。
我的问题的一个最小示例是这个函数:
template<class T>
void g1( const boost::function<void(T)> & ) {}
使用这些作为输入
void f1(int) {}
struct f2_t { void operator()(int) {} };
它无法推断T=int
f2_t f2;
g1( f1 ); // mismatched types ‘const std::function<void(T)>’ and ‘void(int)’
g1( f2 ); // ‘f2_t’ is not derived from ‘const std::function<void(T)>’
g1( [](int){} ); // ‘::<lambda(int)>’ is not derived from ‘…
g1<int>( f1 ); // ok
g1<int>( f2 ); // ok
g1<int>( [](int){} ); // ok
但是T=int
可以从一个普通的函数指针中推断出来,但这也不适用于仿函数或 lambda:
template<class T>
void g2( void (*)(T) ) {}
g2( f1 ); // ok
g2( f2 ); // mismatched types …
g2<int>( f2 ); // ok
g2( [](int){} ); // mismatched types …
g2<int>( [](int){} ); // ok
有没有一种方法T
不仅可以推断普通函数指针,也可以推断函子和 lambda?
或者它必须是这样的吗?
template<class F>
void g( F ) { typedef first_argument_of<F>::type T; }
(在我的真实代码中,我需要以这种方式解构一个带有四个参数的函数,但std::function::…argument_type
只存在一个或两个参数;boost::function
有 argN_type,但我认为无论如何我都不能使用它,因为F
这并不总是function
我的问题,见上文等)