我目前正在开发一个链接函数对象的库。
我正在创建一个函数模板,它接受一个可调用对象(目前是 std::function),并根据函数的输出和输入类型进行参数化。这是我定义的简化版本:
template <typename In, typename Out>
std::vector<Out> process(std::vector<In> vals, std::function< Out(In) > func)
{
// apply func for each value in vals
return result;
}
我遇到的问题是使用情况。似乎当我传递一个 lambda 时,编译器无法正确推断出类型,因此抱怨该函数不存在:
std::vector<string> strings;
// does NOT compile
auto chars = process(strings,
[]( std::string s ) -> char
{
return s[0]; // return first char
}
);
如果我将 lambda 显式包装在 中std::function
,则程序将编译:
std::vector<string> strings;
// DOES compile
auto chars = process(strings,
std::function< char(std::string) >(
[]( std::string s ) -> char
{
return s[0]; // return first char
})
);
我还没有测试过传递函数指针或函数对象,但如果我不直接传递显式对象,编译器似乎很难推断出In
and参数。Out
std::function
我的问题是:有没有办法解决这个问题,这样我就可以推断出可调用对象的输入/返回类型,而无需在调用站点明确提及它们?
也许在函数类型而不是输入/返回类型上参数化模板?本质上,我需要推断任意可调用对象的In
and类型。模板函数的返回类型Out
可能是某种auto
/技巧?decltype
谢谢你。