c++ 是否将成员声明与enable_if一起使用?

wribegjk  于 2023-04-13  发布在  其他
关注(0)|答案(2)|浏览(185)

我需要使用成员声明的条件。

template <bool> struct B;
template <> struct B<true> { void foo(); };
template <> struct B<false> { };

template <typename T>
struct A : public B<is_default_constructible<T>::value> {
    using B<is_default_constructible<T>::value>::foo();

    void foo(int) {}
};

这显然不起作用,因为在一半的情况下B<bool>::foo没有定义。我怎么才能做到这一点呢?让B<>::foo()A<T>作用域中foo(int)旁边可见?

mu0hgdu0

mu0hgdu01#

这是我的解决方案。我肯定这不是最好的,但它能完成任务。

struct A {
    void foo(int) {}
};

struct A应该包含您希望在这两种情况下定义的方法。

template <bool> struct B;
template <> struct B<false> : A {};
template <> struct B<true> : A { 
    using A::foo;
    void foo() {} 

};

B<false>的情况下,仅定义了void foo(int)。在B<true>的情况下,同时定义了void foo(int)void foo()

template <typename T>
struct C : public B<is_default_constructible<T>::value> {};

现在我不必担心在某些情况下没有定义B<is_default_constructible<T>::value>::foo()

class D { D() = delete; };

int main()
{
    C<int> c1;
    c1.foo(1234);
    c1.foo();
    // both methods are defined for C<int>

    C<D> c2;
    c2.foo(1234);
    // c2.foo(); // undefined method

    return 0;
}
hivapdat

hivapdat2#

使用专门化。

enable_if不能用于此目的。您还需要专门化struct A

#include <type_traits>

template <bool> struct B;
template <> struct B<true> { void foo(); };
template <> struct B<false> { };

template <typename T, bool default_constructible = std::is_default_constructible<T>::value>
struct A : public B<default_constructible> {
    using B<default_constructible>::foo;

    void foo(int) {}
};

template<typename T>
struct A<T, false> : public B<false> {
    void foo(int) {}
};

避免foo(int)重复代码

如果foo(int)在这两种情况下具有相同的功能,您可能希望从另一个基本结构体派生它:

#include <type_traits>

template <bool> struct B;
template <> struct B<true> { void foo(); };
template <> struct B<false> { };

template<typename T>
struct C {
  void foo(int) {}
};

template <typename T, bool default_constructible = std::is_default_constructible<T>::value>
struct A : public B<default_constructible>, public C<T> {
    using B<default_constructible>::foo;
    using C<T>::foo;
};

template<typename T>
struct A<T, false> : public B<false>, public C<T> {
    using C<T>::foo;
};

去掉那个难看的bool

最后,要从struct A的模板参数中删除bool,您可能希望将选择foo的重载的责任转发给基类。这还有一个好处,即不会为您可能希望添加的其他struct A成员重复代码。

#include <type_traits>

template <bool> struct B;
template <> struct B<true> { void foo(); };
template <> struct B<false> { };

template<typename T>
struct C {
  void foo(int) {}
};

template <typename T, bool default_constructible = std::is_default_constructible<T>::value>
struct base_A : public B<default_constructible>, public C<T> {
    using B<default_constructible>::foo;
    using C<T>::foo;
};

template<typename T>
struct base_A<T, false> : public B<false>, public C<T> {
    using C<T>::foo;
};

template <typename T>
struct A : public base_A<T> {
    // Other members.
};

相关问题