如何检测方法是否是虚拟的?

时间:2014-04-07 11:28:40

标签: c++ c++11 sfinae typetraits virtual-method

我尝试制作一个特征,以确定方法是virtual :( https://ideone.com/9pfaCZ

// Several structs which should fail depending if T::f is virtual or not.
template <typename T> struct Dvf : T { void f() final; };
template <typename T> struct Dvo : T { void f() override; };
template <typename T> struct Dnv : T { void f() = delete; };

template <typename U>
class has_virtual_f
{
private:
    template <std::size_t N> struct helper {};
    template <typename T>
    static std::uint8_t check(helper<sizeof(Dvf<T>)>*);
    template<typename T> static std::uint16_t check(...);
public:
    static
    constexpr bool value = sizeof(check<U>(0)) == sizeof(std::uint8_t);
};

测试用例:

struct V  { virtual void f(); };
struct NV {         void f(); };
struct E  {                   };
struct F  { virtual void f() final; }; // Bonus (unspecified expected output)

static_assert( has_virtual_f< V>::value, "");
static_assert(!has_virtual_f<NV>::value, "");
static_assert(!has_virtual_f< E>::value, "");

但我得到了error: 'void Dvf<T>::f() [with T = NV]' marked final, but is not virtual 如果我在sizeof中未使用Dvf<T>*并直接使用check,则表示我没有编译错误,但SFINAE中的“错误”类型不会丢弃check: (。

检测方法是virtual的正确方法是什么?

2 个答案:

答案 0 :(得分:13)

可能无法确定特定方法是否为virtual。我这样说是因为Boost project研究了多年的特征,从未产生过这样的特质测试。

但是,在C ++ 11中,或使用Boost library,您可以使用is_polymorphic<>模板测试类型以查看该类型是否具有虚函数。请参阅std::is_polymorphic<>boost::is_polymorphic<>以供参考。

答案 1 :(得分:13)

代码并不完美,但它基本上通过了测试(至少在7和7之后的wandbox和gcc上可用的所有clang中)。

#include <type_traits>

template <class T>
using void_t = void;

template <class T, T v1, T v2, class = std::integral_constant<bool, true>>
struct can_be_compaired: std::false_type { };

template <class T, T v1, T v2>
struct can_be_compaired<T, v1, v2, std::integral_constant<bool, v1 == v2>>: std::true_type { };

template <class T, class = void>
struct has_virtual_f: std::false_type { };

template <class T>
struct has_virtual_f<T, void_t<decltype(&T::f)>>{
    constexpr static auto value = !can_be_compaired<decltype(&T::f), &T::f, &T::f>::value;
};

struct V  { virtual void f() { }      };
struct NV {         void f() { }      };
struct E  {                           };
struct F  { virtual void f() final{ } }; // Bonus (unspecified expected output)

int main() {
   static_assert( has_virtual_f< V>::value, "");
   static_assert(!has_virtual_f<NV>::value, "");
   static_assert(!has_virtual_f< E>::value, "");
   static_assert( has_virtual_f< F>::value, "");
}

[live demo]

理论上让特质飞行的相关标准部分:[expr.eq]/4.3[expr.const]/2.23