-
Notifications
You must be signed in to change notification settings - Fork 0
/
threadsafe_queue.h
45 lines (41 loc) · 1.17 KB
/
threadsafe_queue.h
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
#include <queue>
#include <memory>
#include <mutex>
#include <condition_variable>
#include <iostream>
#include <thread>
template<typename T>
class threadsafe_queue{
private:
mutable std::mutex mutex;
std::queue<T> data_queue;
std::condition_variable cond;
public:
threadsafe_queue(){}
threadsafe_queue(threadsafe_queue const& other){
std::lock_guard<std::mutex> lk(other.mutex);
data_queue = other.data_queue();
}
void push(T new_value){
std::lock_guard<std::mutex> lk(mutex);
data_queue.push(new_value);
cond.notify_one();
}
void wait_and_pop(T& value){
std::unique_lock<std::mutex> lk(mutex);
cond.wait(lk, [this]{return !data_queue.empty();});
value = data_queue.front();
data_queue.pop();
}
std::shared_ptr<T> wait_and_pop(){
std::unique_lock<std::mutex> lk(mutex);
cond.wait(lk, [this]{return !data_queue.empty();});
std::shared_ptr<T> res(std::make_shared<T>(data_queue.front()));
data_queue.pop();
return res;
}
bool empty()const{
std::lock_guard<std::mutex> lk(mutex);
return data_queue.empty();
}
};