c++ - 共享指针集合和常用方法

标签 c++ subclass shared-ptr derived-class

我做了很多 c++(11),但我倾向于保留我所知道的。

我正在研究一种队列类型的机制,但我遇到了一个我确信必须可以解决的问题。

我有:

基类:

BaseWorldCommand

指针类型

typedef shared_ptr<const BaseWorldCommand> ConstBaseWorldCommandPointer;

队列:

concurrent_queue<ConstBaseWorldCommandPointer>

现在我有了一个控制类,它允许将命令添加到队列中。问题是,我想向队列中添加许多不同的派生类。 到目前为止,我唯一的工作方法是:

void InCommand(const WorldCommandA p_Command) { m_CommandInQueue.push(ConstBaseWorldCommandPointer(new (decltype(p_Command))(p_Command))); }

void InCommand(const WorldCommandB p_Command) { m_CommandInQueue.push(ConstBaseWorldCommandPointer(new (decltype(p_Command))(p_Command))); }

...

等等

现在 WorldCommandA 和 WorldCommandB 都是 BaseWorldCommand 的子类。

这里的问题是每次我有一个新的子类时我都需要声明一个方法。

无论如何我可以创建一个通用方法来将项目添加到我的队列中,而不必每次都声明一个新方法。

现在我试图解决这个问题,但每次我最终都在队列中得到一个 BaseWorldCommand 类,而不是所需的子类。

谢谢,

最佳答案

我认为你有一个设计错误。你的InCommand函数不会将它们的参数作为共享指针,这就是为什么您必须复制参数来创建新创建的共享指针可以管理的对象。

这种方法的一个问题是您的 BaseWorldCommand因此必须使其可复制,这对于面向对象的类(即具有虚函数)通常不是一个好主意。如果你想完成这个,更好的方法是添加一个虚拟 Clone功能BaseWorldCommand .

或者,我认为更可取的方法是,您可以改用 InCommand函数取 std::shared_ptr<InCommand>并要求客户端创建共享指针(最好使用 std::make_shared )。碰巧的是,多个函数的问题就会消失,因为您只需要一个这样的函数。

#include <memory>
#include <queue>

class BaseWorldCommand
{
public:
    virtual ~BaseWorldCommand() {}
protected:
    BaseWorldCommand();
private:
    BaseWorldCommand(BaseWorldCommand const&) = delete;
    BaseWorldCommand& operator=(BaseWorldCommand const&) = delete;
};

struct WorldCommandA : BaseWorldCommand {};
struct WorldCommandB : BaseWorldCommand {};

using ConstBaseWorldCommandPointer = std::shared_ptr<BaseWorldCommand const>;

std::queue<ConstBaseWorldCommandPointer> queue;

void InCommand(ConstBaseWorldCommandPointer command)
{
    queue.push(command);
}

int main()
{
    InCommand(std::make_shared<WorldCommandA>());
    InCommand(std::make_shared<WorldCommandB>());
}

另见 GotW #91 Solution: Smart Pointer Parameters进行长时间的讨论和以下准则:

Express that a function will store and share ownership of a heap object using a by-value shared_ptr parameter.

关于c++ - 共享指针集合和常用方法,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/35251671/

相关文章:

c++ - 如何剖析优化代码并加速循环

c++ - 用于转换为格式化文本的轻量级 HTML 解析器?

c++ - 计算器程序错误

c++ - shared_ptr 如何存储删除器?

c++ - MVC std::shared_ptr 中的循环依赖

c++ - Microsoft Visual C++ 中的共享指针调试

c++ - 关于c++中fstream的几个问题

objective-c - 指定初始化器,请澄清。

Java:一个类可以同时继承两个父类(super class)吗?

java - 在 switch 语句中保存未知子类类型的变量