如何在C 11之前进行咖喱功能

How to do function currying before c++11

本文关键字:功能      更新时间:2023-10-16

我有一个有两个参数的函数,我想将第二个参数绑定到一个值并获取一个新函数对象。

我想要的是由c 11中的std :: bind完美支持:

int my_func(int a, int b) {...}
auto bind_func = std::bind (my_func,_1, 555);

或python:

bind_func = functools.partial(my_func, b=555)

但我想在C 03中进行操作,我知道Boost可以做到,但我不想为这个简单的要求调用Boost。

现在,我写了自己的模板来执行此操作,但是如果我可以使用标准库,那将是完美的。

有人知道我该怎么做吗?

谢谢!

函子非常容易制作。这是在2011年以前的C 。

示例:

struct my_func_functor  // choose a name
{
    int curry_;
    my_func_functor(int curry) : curry_(curry) {}
    int operator()(int a) { return my_func(a, curry_); }
};

// to use...
vector<int> v;
//...
// build the functor with the curry and let transform do the cooking...
std::transform(v.begin(), v.end(), v.begin(), my_func_functor(555));

您当然可以将想要的任何东西存储在函子中。包括参考。这与C 11的Lambdas背后使用的模型相同。您没有一个构造函数,而不是捕获子句,并且在通过operator()进行实际调用时保存数据的结构。