获取函数指针的参数计数

Getting argument count of a function pointer

本文关键字:参数 函数 指针 获取      更新时间:2023-10-16

我现在使用以下代码:

    size_t argc(std::function<Foo()>)
    { return 0; }
    size_t argc(std::function<Foo(Bar)>)
    { return 1; }
    size_t argc(std::function<Foo(Bar, Bar)>)
    { return 2; }
    size_t argc(std::function<Foo(Bar, Bar, Bar)>)
    { return 3; }
    // ...

但是它有点丑陋和受限(用户不能用带有任意数量参数的函数调用argc)。有更好的方法吗?

注意:返回类型和实参类型总是相同的。我知道我可以使用模板来接受任何类型,但我不需要它。

@Paolo答案的更清晰版本,可用于实际对象:

template<class R, class... Args>
constexpr unsigned arity(std::function<R(Args...)> const&){
  return sizeof...(Args);
}

以下将适用于任何实参类型,但接受任意实参类型:

template <typename T>
struct arity
{
};
template <typename... Args>
struct arity<std::function<Foo(Args...)>>
{
    static const int value = sizeof...(Args);
};

如果你真的想约束你的参数类型为Foo(Bar, Bar, ...)类型的函数,那么你可以这样做:

template <typename T>
struct arity
{
};
template <typename... Args>
struct const_tuple
{
};
template <>
struct const_tuple<>
{
    struct unsupported_function_type { };
};
template <typename... Args>
struct const_tuple<Bar, Args...>
{
    typedef typename const_tuple<Args...>::unsupported_function_type unsupported_function_type;
};
template <typename... Args>
struct arity<std::function<Foo(Args...)>> : public const_tuple<Args...>::unsupported_function_type
{
    static const int value = sizeof...(Args);
};

当使用不支持的函数类型调用arity时,这将给您一个编译错误。