我刚刚想出了一个(又一个!)使用模板元编程在 C++ 中实现函数柯里化。(我几乎可以肯定其他实现比我的更好/更完整,但我这样做是为了学习目的,我认为重新发明轮子是合理的。)
我的 funcion currying 实现,包括测试用例,如下:
#include <iostream>
#include <functional>
template <typename> class curry;
template <typename _Res>
class curry< _Res() >
{
public:
typedef std::function< _Res() > _Fun;
typedef _Res _Ret;
private:
_Fun _fun;
public:
explicit curry (_Fun fun)
: _fun(fun) { }
operator _Ret ()
{ return _fun(); }
};
template <typename _Res, typename _Arg, typename... _Args>
class curry< _Res(_Arg, _Args...) >
{
public:
typedef std::function< _Res(_Arg, _Args...) > _Fun;
typedef curry< _Res(_Args...) > _Ret;
private:
class apply
{
private:
_Fun _fun;
_Arg _arg;
public:
apply (_Fun fun, _Arg arg)
: _fun(fun), _arg(arg) { }
_Res operator() (_Args... args)
{ return _fun(_arg, args...); }
};
private:
_Fun _fun;
public:
explicit curry (_Fun fun)
: _fun(fun) { }
_Ret operator() (_Arg arg)
{ return _Ret(apply(_fun, arg)); }
};
int main ()
{
auto plus_xy = curry<int(int,int)>(std::plus<int>());
auto plus_2x = plus_xy(2);
auto plus_24 = plus_2x(4);
std::cout << plus_24 << std::endl;
return 0;
}
这个函数柯里化实现是“浅的”,在以下意义上:如果原来std::function
的签名是......
(arg1, arg2, arg3...) -> res
那么柯里化函数的签名是......
arg1 -> arg2 -> arg3 -> ... -> res
但是,如果任何参数或返回类型本身可以被柯里化,它们就不会被柯里化。例如,如果原件std::function
的签名是...
(((arg1, arg2) -> tmp), arg3) -> res
那么咖喱函数的签名将是......
((arg1, arg2) -> tmp) -> arg3 -> res
代替...
(arg1 -> arg2 -> tmp) -> arg3 -> res
这就是我想要的。所以我想要一个“深度”的柯里化实现。有谁知道我怎么写?
@vhallac:
这是应该传递给构造函数的函数类型curry<int(int(int,int),int)>
:
int test(std::function<int(int,int)> f, int x)
{ return f(3, 4) * x; }
然后应该能够执行以下操作:
auto func_xy = curry<int(int(int,int),int)>(test);
auto plus_xy = curry<int(int,int)>(std::plus<int>());
auto func_px = func_xy(plus_xy);
auto func_p5 = func_px(5);
std::cout << func_p5 << std::endl;