公共继承的静态断言

时间:2017-05-24 12:49:34

标签: c++ c++11 typetraits static-assert

我构建了一个帮助类,它将通过模板构建一个自定义类,这个自定义类必须从某个类继承,我可以使用std::is_base_of来检查它。

但是我还需要检查继承是否公开,如何实现?

作为参考,这是课程的精简版本,我在那里有std::is_base_of

template<class CustomSink>
class Sink
{
    static_assert(std::is_base_of<BaseSink, CustomSink>::value, "CustomSink must derive from BaseSink");
    //Some static assert here to check if custom sink has publicly inherited BaseSink 
    //static_assert(is_public.....
public:
    template<class... Args>
    Sink(Args&&... args)
    {
    }
    ~Sink()
    {
    }       
};

2 个答案:

答案 0 :(得分:10)

据我所知,公共继承是唯一可以执行隐式指针转换的情况(可以通过重载运算符实现引用转换)。

template <class T>
std::true_type is_public_base_of_impl(T*);

template <class T>
std::false_type is_public_base_of_impl(...);

template <class B, class D>
using is_public_base_of = decltype(is_public_base_of_impl<B>(std::declval<D*>()));

See it live on Coliru

答案 1 :(得分:3)

感谢Quentincpplearner让我指向正确的方向。如果断言应该通过,我发现Quentins答案工作正常,但是在失败的情况下,static_assert不会捕获错误,而是会在模板内部生成,从而消除了清除static_assert消息的好处

然后cpplearner提到std::is_convertible之前我曾尝试使用过但忘记了需要*,而且B和D似乎是错误的方式。

所有这些都促使我创造:

static_assert(std::is_convertible<Derived*, Base*>::value, "Derived must inherit Base as public");

这似乎可以完成这项工作,下面是完整的代码作为一个完整的例子。

#include <type_traits>

class Base { };
class Derived : Base { };
class DerivedWithPublic : public Base { };

int main() {
    static_assert(std::is_convertible<DerivedWithPublic*, Base*>::value, "Class must inherit Base as public");
    static_assert(std::is_convertible<Derived*, Base*>::value, "Derived must inherit Base as public");
}