是否可以获得std::function
的参数数量?像NumOfArgument<...>::value
这样的东西。
例如,NumOfArgument<function<int(int, int)> >::value
应为2。
答案 0 :(得分:44)
我认为std::function
本身并不提供该功能。但你可以自己实现它:
template<typename T>
struct count_arg;
template<typename R, typename ...Args>
struct count_arg<std::function<R(Args...)>>
{
static const size_t value = sizeof...(Args);
};
测试代码:
typedef std::function<int(int, int)> fun;
std::cout << count_arg<fun>::value << std::endl; //should print 2
请参阅:Online demo
同样,你可以在其中添加更多功能,如:
template<typename T>
struct function_traits; //renamed it!
template<typename R, typename ...Args>
struct function_traits<std::function<R(Args...)>>
{
static const size_t nargs = sizeof...(Args);
typedef R result_type;
template <size_t i>
struct arg
{
typedef typename std::tuple_element<i, std::tuple<Args...>>::type type;
};
};
现在,您可以使用 const 索引获取每个参数类型:
std::cout << typeid(function_traits<fun>::arg<0>::type).name() << std::endl;
std::cout << typeid(function_traits<fun>::arg<1>::type).name() << std::endl;
std::cout << typeid(function_traits<fun>::arg<2>::type).name() << std::endl;
它打印类型的受损名称!