XTL  0.1
eXtended Template Library
 All Data Structures Namespaces Files Functions Variables Typedefs Enumerations Enumerator Macros Groups Pages
stack.hpp
Go to the documentation of this file.
1 
6 #pragma once
8 
9 #include <atomic>
10 
11 namespace xtd{
12 
13  namespace concurrent{
20  template <typename _ValueT, typename _WaitPolicyT = null_wait_policy> class stack{
21  public:
22 
23  using value_type = _ValueT;
24  using wait_policy_type = _WaitPolicyT;
25 
26  stack(wait_policy_type oWait = wait_policy_type()) : _Root(nullptr), _WaitPolicy(oWait){}
27 
28  ~stack(){
29  while (_Root.load()){
30  auto pNode = _Root.load();
31  if (_Root.compare_exchange_strong(pNode, pNode->_Next)){
32  delete pNode;
33  }
34  _WaitPolicy();
35  }
36  }
37  stack(stack&& src) : _Root(src._Root.load()){
38  src._Root.store(nullptr);
39  }
40  stack& operator=(stack&& src){
41  if (&src == this) return *this;
42  std::swap(_Root, src._Root);
43 
44  }
45 
46  stack(const stack&) = delete;
47  stack& operator=(const stack&) = delete;
48 
49  bool try_pop(value_type& oRet){
50  auto oTmp = _Root.load();
51  if (!oTmp) return false;
52  if (!_Root.compare_exchange_strong(oTmp, oTmp->_Next)){
53  return false;
54  }
55  oRet = oTmp->_Value;
56  delete oTmp;
57  return true;
58  }
59 
60  void push(const value_type& value){
61  typename node::pointer pNode = new node;
62  pNode->_Value = value;
63  forever{
64  pNode->_Next = _Root.load();
65  if (_Root.compare_exchange_strong(pNode->_Next, pNode)){
66  break;
67  }
68  _WaitPolicy();
69  }
70  }
71 
72  value_type pop(){
73  value_type oRet;
74  while (!try_pop(oRet)){
75  _WaitPolicy();
76  }
77  return oRet;
78  }
79 
80  private:
81  struct node{
82  using pointer = node *;
83  using atomic_ptr = std::atomic<pointer>;
84  node * _Next;
85  value_type _Value;
86  };
87  typename node::atomic_ptr _Root;
88  _WaitPolicyT _WaitPolicy;
89  };
91  }
92 }
shared declarations for the concurrent namespace
A lock-free LIFO stack multiple threads can push and pop items concurrently.
Definition: stack.hpp:20