提升功能组成

时间:2012-09-13 18:39:55

标签: c++ boost boost-function function-composition

假设我想要一个函数double adapter(double),是否有一种通用方法可以使用boost::function<double(...)> functor组合它以生成另一个boost::function<double(...)> functor2 functor2(...) == adapter(functor(...))?特别是,如果有一种方法可以在不使用C ++ 11的情况下执行此操作,那将会很酷。

编辑为了澄清,我有兴趣知道是否有办法编写可以处理任何boost::function<double(...)>的内容,即具有不同长度签名而无需复制和粘贴的内容多次为1,2,3等参数。

1 个答案:

答案 0 :(得分:2)

如果没有c ++ 11,则存在大量复杂性,包括varadic参数和转发。

使用C ++ 11,可以完成,主要是通过专门化std::is_bind_expression。当在bind中使用此函数对象时,它将调用与调用绑定函数对象期间提供的所有参数一起存储的函数对象。请注意,这适用于任何函数对象,而不仅仅是std::function

这适用于GCC 4.7。

#include <functional>
#include <utility>
#include <type_traits>

namespace detail
{
template<typename Func>
struct compose_functor
{

   Func f;

   explicit compose_functor(const Func& f) : f(f) {};

   template<typename... Args>
   auto operator()(Args&&... args) const -> decltype(f(std::forward<Args>(args)...))
   {
    return f(std::forward<Args>(args)...);
   }

};

}

template<typename Func>
 detail::compose_functor
<Func> compose(Func f)
{
   return detail::compose_functor<Func>(f);
}


namespace std
{
   template<typename T>
   struct is_bind_expression< detail::compose_functor<T> > : true_type {};
}
#include <numeric>

int adapter(double d)
{
    return (int)d;
}

int main()
{
    std::function<int(double)> f1 = std::bind(adapter, compose(std::negate<double>()));
    std::function<int(double, double)> f2 = std::bind(adapter, compose(std::plus<double>()));

    // 1.5 -> -1.5 -> -1
    std::cout << f1(1.5) << std::endl;
    // 2.3+4.5 = 6.8 -> 6
    std::cout << f2(2.3, 4.5) << std::endl;
}