我在Qt中构建了自己的阻塞队列,我遇到了一些问题。如果我不关闭队列,那么我在控制台“QWaitCondition: Destroyed while threads are still waiting
”中收到错误。另一方面,我在关闭队列后得到访问冲突异常(无论它是在构造函数中还是从另一个线程)。等待条件的等待方法中发生异常。
这是我的阻止队列:
#ifndef BLOCKING_QUEUE_H
#define BLOCKING_QUEUE_H
#include <QObject>
#include <QSharedPointer>
#include <QWaitCondition>
#include <QMutex>
#include <queue>
namespace Concurrency
{
template<typename Data>
class BlockingQueue
{
private:
QMutex _mutex;
QWaitCondition _monitor;
volatile bool _closed;
std::queue<QSharedPointer<Data>> _queue;
public:
BlockingQueue()
{
_closed = false;
}
~BlockingQueue()
{
Close(); // When this is enabled, I get an access violation exception in TryDequeue
}
void Close()
{
QMutexLocker locker(&_mutex);
if(!_closed)
{
_closed = true;
_queue.empty();
_monitor.wakeAll();
}
}
bool Enqueue(QSharedPointer<Data> data)
{
QMutexLocker locker(&_mutex);
// Make sure that the queue is not closed
if(_closed)
{
return false;
}
_queue.push(data);
// Signal all the waiting threads
if(_queue.size()==1)
{
_monitor.wakeAll();
}
return true;
}
bool TryDequeue(QSharedPointer<Data>& value, unsigned long time = ULONG_MAX)
{
QMutexLocker locker(&_mutex);
// Block until something goes into the queue
// or until the queue is closed
while(_queue.empty())
{
if(_closed || !_monitor.wait(&_mutex, time)) // <-- Access violation if I call close in the destructor
{
return false;
}
}
// Dequeue the next item from the queue
value = _queue.front();
_queue.pop();
return true;
}
};
}
#endif BLOCKING_QUEUE_H
我假设这种情况正在发生,因为等待的线程在队列被销毁之后发出信号并且互斥锁随后也被销毁。在TryDequeue
中唤醒线程时,不再分配互斥锁,因此会导致访问冲突异常。避免这种情况的最佳方法是什么?
答案 0 :(得分:0)
我遇到的问题与线程方法有关,有关详细信息,请查看此问题:Why is QThread::finished signal not being emitted?
使用BlockingQueue
的服务未正确关闭正在队列中等待的线程,并且当线程仍在TryDequeue
方法内部等待时,它随后导致队列被销毁