C ++函数包装器

时间:2016-04-30 14:55:07

标签: c++

我有函数add,它返回连接的字符串:

std::string add(std::string a, std::string b){
  return a+b;
}

我需要编写泛型函数f1,它接受两个字符串,返回函数包装器,如下所示:

template<typename T>
std::function<T(T(T,T))> f1(T a, T b);

以便此调用输出字符串&#34; OneTwo&#34;:

std::string a("One");
std::string b("Two");
cout << f1(a,b)(add);

如何捕获从f1返回的内部包装器对象中的a和b?

1 个答案:

答案 0 :(得分:1)

您正在寻找的是lambda捕获。

#include <iostream>
#include <functional>
#include <string>

template<typename arg_type>
std::function<arg_type ( arg_type(arg_type, arg_type))> make_wrapper(arg_type a, arg_type b)
{
    return [a, b](arg_type (*f)(arg_type, arg_type))
    {
        return (*f)(a, b);
    };
}

std::string add(std::string a, std::string b)
{
    return a+b;
}

int main()
{
    std::string a="One";
    std::string b="Two";

    // This should be "auto wrapper=", of course, just explicitly
    // declared for demonstrative purposes:

    std::function<std::string (std::string (std::string, std::string))>
           wrapper = make_wrapper(a, b);

    std::cout << wrapper(add) << std::endl;
    return 0;
}

结果:

$ g++ -std=c++1z -g -o t t.C
$ ./t
OneTwo