我正在尝试编写一个名为Binder的模板类,它将函数和参数绑定为整体,通过绑定函数的返回类型进行区分,这是我的方法:
template <typename return_type>
class Binder
{
public:
virtual return_type call() {}
};
调用call
将使用参数调用一些预绑定函数,并返回结果。
我想要一些从Binder继承的模板类来完成真正的绑定工作。
下面是一个单参数函数绑定类:
template<typename func_t, typename param0_t>
class Binder_1 : public Binder< ***return_type*** >
// HOW TO DETERMINE THE RETURN TYPE OF func_t?
// decltype(func(param0)) is available when writing call(),
// but at this point, I can't use the variables...
{
public:
const func_t &func;
const param0_t ¶m0;
Binder_1 (const func_t &func, const param0_t ¶m0)
: func(func), param0(param0) {}
decltype(func(param0)) call()
{
return func(param0);
}
}
// Binder_2, Binder_3, ....
这就是我想要实现的目标:
template<typename func_t, typename param0_t>
Binder_1<func_t, param0_t> bind(const func_t &func, const param0_t ¶m0)
{
reurn Binder_1<func_t, param0_t>(func, param0);
}
// ... `bind` for 2, 3, 4, .... number of paramters
int func(int t) { return t; }
double foo2(double a, double b) { return a > b ? a : b; }
double foo1(double a) { return a; }
int main()
{
Binder<int> int_binder = bind(func, 1);
int result = int_binder.call(); // this actually calls func(1);
Binder<double> double_binder = bind(foo2, 1.0, 2.0);
double tmp = double_binder.call(); // calls foo2(1.0, 2.0);
double_binder = bind(foo1, 1.0);
tmp = double_binder.call(); // calls foo1(1.0)
}
可以在boost库中调用bind
函数来实现这个功能吗?
也欢迎类似的解决方案!
答案 0 :(得分:1)
这是一个声明为:
的虚函数template <typename T>
typename std::add_rvalue_reference<T>::type declval();
// This means it returns T&& if T is no a reference
// or T& if T is already a reference
并且从未实际定义过。
因此,只能在未评估的上下文中使用,例如sizeof
或...... decltype
!
有了这个,你得到:
template<typename func_t, typename param0_t>
class Binder_1: public Binder<decltype(std::declval<func_t>()(std::declval<param0_t>())>
有点啰嗦,但是嘿!它有效:)
答案 1 :(得分:0)
您可以使用result_of
。