使用 CRTP 时如何访问基础 class 构造函数
How to access base class constructor when using CRTP
我需要向我的 class 层次结构
插入克隆并创建成员函数
class Base
{
protected:
const int x_;
public:
Base() : x_(0) {}
Base(int x) : x_(x) {}
};
我认为 CRTP 可能是节省输入和避免错误的方法。
template <typename Derived>
class CRTP_Iface : public Base
{
public:
virtual Base *create() const { return new Derived(); }
virtual Base *clone() const { return new Derived(static_cast<Derived const&>(*this)); }
};
不幸的是,我无法访问基础 class 构造函数来初始化 const 成员。
class D1 : public CRTP_Iface<D1>
{
public:
D1() : Base() {}
D1(int x) : Base(x) {}
};
class D2 : public CRTP_Iface<D2>
{
public:
D2() : x_(0) {}
D2(int x) : x_(x) {}
};
int main()
{
D1 a;
D2 b;
return 0;
}
有什么简单的方法可以解决这个问题吗?
只需将所有需要的构造函数添加到 CRTP_Iface
。
public:
CRTP_Iface() : Base() {}
CRTP_Iface( int x ) : Base(x) {}
如果使用 C++11,这会变得更容易:
public:
using Base::Base;
那么你有:
class D1 : public CRTP_Iface<D1>
{
public:
D1() : CRTP_Iface() {}
D1(int x) : CRTP_Iface(x) {}
};
...用 C++11 写的更好:
class D1 : public CRTP_Iface<D1>
{
public:
using CRTP_Iface<D1>::CRTP_Iface;
};
(不确定 :: 的左手还是右手是否需要,AFAIR 一些编译器喜欢它更严格)
您可以在模板CRTP_Iface<>
中继承classBase
的构造函数,然后在派生的classes:
中调用其构造函数
template <typename Derived>
class CRTP_Iface : public Base
{
protected:
using Base::Base;
public:
virtual Base *create() const { return new Derived(); }
virtual Base *clone() const { return new Derived(static_cast<Derived const&>(*this)); }
};
class D1 : public CRTP_Iface<D1>
{
public:
D1() : CRTP_Iface() {}
D1(int x) : CRTP_Iface(x) {}
};
我需要向我的 class 层次结构
插入克隆并创建成员函数class Base
{
protected:
const int x_;
public:
Base() : x_(0) {}
Base(int x) : x_(x) {}
};
我认为 CRTP 可能是节省输入和避免错误的方法。
template <typename Derived>
class CRTP_Iface : public Base
{
public:
virtual Base *create() const { return new Derived(); }
virtual Base *clone() const { return new Derived(static_cast<Derived const&>(*this)); }
};
不幸的是,我无法访问基础 class 构造函数来初始化 const 成员。
class D1 : public CRTP_Iface<D1>
{
public:
D1() : Base() {}
D1(int x) : Base(x) {}
};
class D2 : public CRTP_Iface<D2>
{
public:
D2() : x_(0) {}
D2(int x) : x_(x) {}
};
int main()
{
D1 a;
D2 b;
return 0;
}
有什么简单的方法可以解决这个问题吗?
只需将所有需要的构造函数添加到 CRTP_Iface
。
public:
CRTP_Iface() : Base() {}
CRTP_Iface( int x ) : Base(x) {}
如果使用 C++11,这会变得更容易:
public:
using Base::Base;
那么你有:
class D1 : public CRTP_Iface<D1>
{
public:
D1() : CRTP_Iface() {}
D1(int x) : CRTP_Iface(x) {}
};
...用 C++11 写的更好:
class D1 : public CRTP_Iface<D1>
{
public:
using CRTP_Iface<D1>::CRTP_Iface;
};
(不确定 :: 的左手还是右手是否需要,AFAIR 一些编译器喜欢它更严格)
您可以在模板CRTP_Iface<>
中继承classBase
的构造函数,然后在派生的classes:
template <typename Derived>
class CRTP_Iface : public Base
{
protected:
using Base::Base;
public:
virtual Base *create() const { return new Derived(); }
virtual Base *clone() const { return new Derived(static_cast<Derived const&>(*this)); }
};
class D1 : public CRTP_Iface<D1>
{
public:
D1() : CRTP_Iface() {}
D1(int x) : CRTP_Iface(x) {}
};