autotier
Automatic Tiering Fuse Filesystem
concurrentQueue.hpp
1 /*
2  * Copyright (C) 2019-2021 Joshua Boudreau <jboudreau@45drives.com>
3  *
4  * This file is part of autotier.
5  *
6  * autotier is free software: you can redistribute it and/or modify
7  * it under the terms of the GNU General Public License as published by
8  * the Free Software Foundation, either version 3 of the License, or
9  * (at your option) any later version.
10  *
11  * autotier is distributed in the hope that it will be useful,
12  * but WITHOUT ANY WARRANTY; without even the implied warranty of
13  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
14  * GNU General Public License for more details.
15  *
16  * You should have received a copy of the GNU General Public License
17  * along with autotier. If not, see <https://www.gnu.org/licenses/>.
18  */
19 
20 /* Simple concurrent queue implementation. No guard against popping from empty queue.
21  * Check empty() before popping. Intended only for multiple producer, single consumer use.
22  */
23 
24 #pragma once
25 
26 #include <mutex>
27 #include <queue>
28 
34 template<class T>
36 public:
46  ~ConcurrentQueue() = default;
53  bool empty(void) const {
54  return queue_.empty();
55  }
61  void push(const T &val) {
62  std::lock_guard<std::mutex> lk(mt_);
63  queue_.push(val);
64  }
71  template<typename... Args>
72  void emplace(Args &&...args) {
73  std::lock_guard<std::mutex> lk(mt_);
74  queue_.emplace(args...);
75  }
81  T pop(void) {
82  std::lock_guard<std::mutex> lk(mt_);
83  T val = queue_.front();
84  queue_.pop();
85  return val;
86  }
87 private:
88  std::mutex mt_;
89  std::queue<T> queue_;
90 };
ConcurrentQueue
Single-consumer multiple-producer concurrent FIFO queue.
Definition: concurrentQueue.hpp:35
ConcurrentQueue::mt_
std::mutex mt_
Mutex for synchronization.
Definition: concurrentQueue.hpp:88
ConcurrentQueue::push
void push(const T &val)
Insert into queue with std::queue<T>::push().
Definition: concurrentQueue.hpp:61
ConcurrentQueue::pop
T pop(void)
Pop value from queue. Check empty() first!
Definition: concurrentQueue.hpp:81
ConcurrentQueue::emplace
void emplace(Args &&...args)
Emplace into queue with std::queue<T>::emplace().
Definition: concurrentQueue.hpp:72
ConcurrentQueue::ConcurrentQueue
ConcurrentQueue()
Construct a new Concurrent Queue object.
Definition: concurrentQueue.hpp:41
ConcurrentQueue::queue_
std::queue< T > queue_
Underlying queue to store objects in.
Definition: concurrentQueue.hpp:89
ConcurrentQueue::~ConcurrentQueue
~ConcurrentQueue()=default
Destroy the Concurrent Queue object.
ConcurrentQueue::empty
bool empty(void) const
Check if queue is empty. Call this first before trying to pop().
Definition: concurrentQueue.hpp:53