如何在此处添加条件变量?

时间:2019-04-30 16:52:20

标签: c++ mutex condition-variable

我正在尝试在使用耕作模式的代码中添加条件变量,但是我不知道在哪里使用它。我以为可以在不使用线程时使用条件变量来暂停线程。有人可以给我看个例子或指出正确的方向吗?

当我尝试检查任务是否为空时,我刚刚被“等待”

Farm.cpp

void Farm::run()
{
    //list<thread *> threads;
    vector<thread *> threads;

    for (int i = 0; i < threadCount; i++)
    {
        threads.push_back(new thread([&]
        {
            while (!taskQ.empty())
            {

                taskMutex.lock();
                RowTask* temp = taskQ.front();
                taskQ.pop();
                taskMutex.unlock();
                temp->run(image_);
                delete temp;
            }

            return;
        }));
    }

    for (auto i : threads)
    {
        i->join();
    }
}

1 个答案:

答案 0 :(得分:0)

使用条件变量的队列实现的基本思想:

#include <queue>
#include <mutex>
#include <condition_variable>

template<typename T>
class myqueue {
    std::queue<T> data;
    std::mutex mtx_data;
    std::condition_variable cv_data;

public:
    template<class... Args>
    decltype(auto) emplace(Args&&... args) {
        std::lock_guard<std::mutex> lock(mtx_data);
        auto rv = data.emplace(std::forward<Args>(args)...);
        cv_data.notify_one(); // use the condition variable to signal threads waiting on it
        return rv;
    }

    T pop() {
        std::unique_lock<std::mutex> lock(mtx_data);
        while(data.size() == 0) cv_data.wait(lock); // wait to get a signal
        T rv = std::move(data.front());
        data.pop();
        return rv;
    }
};