2

我正在尝试实现is_polymorphic_functor元功能以获得以下结果:

//non-polymorphic functor
template<typename T> struct X { void operator()(T); };

//polymorphic functor 
struct Y { template<typename T> void operator()(T); };

std::cout << is_polymorphic_functor<X<int>>::value << std::endl; //false
std::cout << is_polymorphic_functor<Y>::value << std::endl; //true

嗯,这只是一个例子。理想情况下,它应该适用于任意数量的参数,即operator()(T...). 这里有几个测试用例,我用来测试@Andrei Tita 的解决方案,但两个测试用例都失败了。

我试过这个:

template<typename F>
struct is_polymorphic_functor
{
  private:
     typedef struct { char x[1]; }  yes;
     typedef struct { char x[10]; } no;

     static yes check(...);

     template<typename T >
     static no check(T*, char (*) [sizeof(functor_traits<T>)] = 0 );            
  public:
     static const bool value = sizeof(check(static_cast<F*>(0))) == sizeof(yes);
};

它试图利用以下实现functor_traits

//functor traits
template <typename T>
struct functor_traits : functor_traits<decltype(&T::operator())>{};

template <typename C, typename R, typename... A>
struct functor_traits<R(C::*)(A...) const> : functor_traits<R(C::*)(A...)>{};

template <typename C, typename R, typename... A>
struct functor_traits<R(C::*)(A...)>
{
   static const size_t arity = sizeof...(A) };

   typedef R result_type;

   template <size_t i>
   struct arg
   {
      typedef typename std::tuple_element<i, std::tuple<A...>>::type type;
   };
};

这为多态函子提供了以下错误:

error: decltype cannot resolve address of overloaded function

如何解决此问题并按is_polymorphic_functor预期工作?

4

3 回答 3

5

这对我有用:

template<typename T>
struct is_polymorphic_functor
{
private:
    //test if type U has operator()(V)
    template<typename U, typename V>
    static auto ftest(U *u, V* v) -> decltype((*u)(*v), char(0));
    static std::array<char, 2> ftest(...);

    struct private_type { };

public:
    static const bool value = sizeof(ftest((T*)nullptr, (private_type*)nullptr)) == 1;
};
于 2013-02-16T17:07:31.513 回答
2
template<template<typename>class arbitrary>
struct pathological {
  template<typename T>
  typename std::enable_if< arbitrary<T>::value >::type operator(T) const {}
};

上述函子是非多态的,当且仅当只有一个 Tarbitrary<T>::value是真的。

创建一个在和可能template<T>上为真的函子并不难,并且仅在if 上为真(任意计算返回 1)。intdoubledouble

所以一个不妥协is_polymorphic是超出了这个宇宙的范围。

如果你不喜欢上面的(因为它显然需要的不仅仅是int,其他类型根本无法找到重载),我们可以这样做:

template<template<typename>class arbitrary>
struct pathological2 {
  void operator()(int) const {}
  template<typename T>
  typename std::enable_if< arbitrary<T>::value >::type operator(T) const {}
};

测试第二个“重载”的地方,如果没有 T 使得它被采用,那么每个单一类型都会发生第一个重载。

于 2013-02-16T18:23:45.357 回答
2

鉴于非多态函子没有重载operator()

template<typename T>
class is_polymorphic_functor {
  template <typename F, typename = decltype(&F::operator())>
  static constexpr bool get(int) { return false; }
  template <typename>
  static constexpr bool get(...) { return true; }

public:
  static constexpr bool value = get<T>(0);
};
于 2013-02-16T17:51:06.113 回答