如何初始化不可复制的对象数据成员
how to initialize a non copyable object data member
我想在我的代码中使用一个已经实现的抽象 class(在我提供的简单代码中可以看作 "A")。
我定义了 class "B" 来实现那些纯虚方法。事实上,这里 class 的对象无法复制,因为 operator= 在抽象 class 中被删除。
我有 class "Z",它有一个 "B" class 对象的数据成员。我想像您在代码中看到的那样初始化对象。但由于它是不可复制的,它肯定会显示错误,例如 use of deleted function ‘NS::B::B(NS::B&&)’ 。我不知道我应该如何将此对象作为数据成员并使用适当的数据对其进行初始化。
代码的简单版本如下:
#include <string>
#include <iostream>
#include <memory>
namespace NS {
class A //abstract class
{
public:
A() = default;
A& operator=(const A& other) = delete;
A(const A& other) = delete;
};
}
namespace NS {
class B : public A
{
public:
B(int p);
};
}
namespace SI {
class Z
{
public:
Z(int p, std::string name);
private:
NS::B obj3;
};
typedef std::shared_ptr<SI::Z> ZPtr;
}
SI::Z::Z(int p, std::string name) : obj3(p)
{}
namespace SI {
class Y
{
public:
Y(int p);
private:
SI::ZPtr obj2;
};
}
SI::Y::Y(int p) : obj2(std::make_shared<SI::Z>(SI::Z(p,"hi")))
{}
编译以上代码:
添加 headers:
#include <string>
#include <memory>
你还需要能够构造 A
所以你需要使构造函数 public:
class A //abstract class
{
public: // Added this:
A() = default;
.....
};
您的主要问题在于制作共享 object。
obj2(std::make_shared<SI::Z>(SI::Z(p,"hi")))
您不需要在此处构造 SI::Z
object(因为它不可复制,这是一个问题)。您要做的是传递将用于创建 SI::Z
object 的参数。然后std::make_shared()
会调用new并将这些参数转发给构造函数。
obj2(std::make_shared<SI::Z>(p, "hi")) // Notice the diff?
我想在我的代码中使用一个已经实现的抽象 class(在我提供的简单代码中可以看作 "A")。 我定义了 class "B" 来实现那些纯虚方法。事实上,这里 class 的对象无法复制,因为 operator= 在抽象 class 中被删除。 我有 class "Z",它有一个 "B" class 对象的数据成员。我想像您在代码中看到的那样初始化对象。但由于它是不可复制的,它肯定会显示错误,例如 use of deleted function ‘NS::B::B(NS::B&&)’ 。我不知道我应该如何将此对象作为数据成员并使用适当的数据对其进行初始化。 代码的简单版本如下:
#include <string>
#include <iostream>
#include <memory>
namespace NS {
class A //abstract class
{
public:
A() = default;
A& operator=(const A& other) = delete;
A(const A& other) = delete;
};
}
namespace NS {
class B : public A
{
public:
B(int p);
};
}
namespace SI {
class Z
{
public:
Z(int p, std::string name);
private:
NS::B obj3;
};
typedef std::shared_ptr<SI::Z> ZPtr;
}
SI::Z::Z(int p, std::string name) : obj3(p)
{}
namespace SI {
class Y
{
public:
Y(int p);
private:
SI::ZPtr obj2;
};
}
SI::Y::Y(int p) : obj2(std::make_shared<SI::Z>(SI::Z(p,"hi")))
{}
编译以上代码:
添加 headers:
#include <string>
#include <memory>
你还需要能够构造 A
所以你需要使构造函数 public:
class A //abstract class
{
public: // Added this:
A() = default;
.....
};
您的主要问题在于制作共享 object。
obj2(std::make_shared<SI::Z>(SI::Z(p,"hi")))
您不需要在此处构造 SI::Z
object(因为它不可复制,这是一个问题)。您要做的是传递将用于创建 SI::Z
object 的参数。然后std::make_shared()
会调用new并将这些参数转发给构造函数。
obj2(std::make_shared<SI::Z>(p, "hi")) // Notice the diff?