我想创建一个通知中心,在其中处理所有notificationsthreads

我无法在软件启动时告诉我需要多少个notification队列。在run-time期间可能有所不同。

所以我创建了这个(简化的代码):

#include <vector>
#include "Poco/Notification.h"
#include "Poco/NotificationQueue.h"

using Poco::Notification;
using Poco::NotificationQueue;

int main()
{
    std::vector<NotificationQueue> notificationCenter;
    NotificationQueue q1;
    NotificationQueue q2;
    notificationCenter.push_back(q1); //ERROR: error: use of deleted function ‘Poco::NotificationQueue::NotificationQueue(const Poco::NotificationQueue&)’
    notificationCenter.push_back(q2);

    return 0;
}


我得到error: use of deleted function ‘Poco::NotificationQueue::NotificationQueue(const Poco::NotificationQueue&)’

我了解。我无法复制或分配NotificationQueue

题:

有什么方法可以处理NotificationQueue的向量而无需静态创建它们?

最佳答案

使用@arynaq注释,指针向量将完成任务:

#include <memory>
#include <vector>
#include "Poco/Notification.h"
#include "Poco/NotificationQueue.h"

using Poco::Notification;
using Poco::NotificationQueue;

int main()
{
    std::vector<std::shared_ptr<NotificationQueue>> notificationCenter;
    std::shared_ptr<NotificationQueue> q1 = std::make_shared<NotificationQueue>();
    std::shared_ptr<NotificationQueue> q2 = std::make_shared<NotificationQueue>();

    notificationCenter.push_back(q1);
    notificationCenter.push_back(q2);

    return 0;
}

关于c++ - C++ Poco-如何创建NotificationQueue的 vector ?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/52280390/

10-09 16:27