C++ Concurrent Queues

Committee: ISO/IEC JTC1 SC22 WG21 SG1 Concurrency
Document Number: P0260R1
Date: 2017-02-05
Authors: Lawrence Crowl, Chris Mysen
Reply To: Lawrence Crowl, Lawrence@Crowl.org

Introduction
Conceptual Interface
    Basic Operations
    Non-Waiting Operations
    Non-Blocking Operations
    Push Front Operations
    Closed Queues
    Empty and Full Queues
    Queue Names
    Element Type Requirements
    Exception Handling
    Queue Ordering
    Lock-Free Implementations
Concrete Queues
    Locking Buffer Queue
    Lock-Free Buffer Queue
Additional Conceptual Tools
    Fronts and Backs
    Streaming Iterators
    Storage Iterators
    Binary Interfaces
    Managed Indirection
Implementation
Proposed Wording
    ?.? Concurrent queues [conqueues]
    ?.?.1 General [conqueues.general]
    ?.?.2 Header <conqueue> synopsis [conqueues.syn]
    ?.?.3 Operation status [conqueues.status]
    ?.?.4 Concepts [conqueues.concepts]
    ?.?.4.1 Element requirements [conqueues.concept.elemreq]
    ?.?.4.2 Element type naming [conqueues.concept.elemtype]
    ?.?.4.3 Lock-free attribute operations [conqueues.concept.lockfree]
    ?.?.4.4 State operations [conqueues.concept.state]
    ?.?.4.5 Waiting operations [conqueues.concept.wait]
    ?.?.4.6 Non-waiting operations [conqueues.concept.nonwait]
    ?.?.4.7 Type concepts [conqueues.concept.type]
    ?.?.5 Concrete queues [conqueues.concrete]
    ?.?.5.1 Class template buffer_queue[conqueues.concrete.buffer]
    ?.?.6 Tools [conqueues.tools]
    ?.?.6.1 Ends and Iterators [conqueues.tools.ends]
    ?.?.6.1.1 Class template generic_queue_back [conqueues.tools.back]
    ?.?.6.1.2 Class template generic_queue_front [conqueues.tools.front]
    ?.?.6.2 Binary interfaces [conqueues.tools.binary]
    ?.?.6.2.1 Class template queue_base [conqueues.tools.base]
    ?.?.6.2.2 Class template queue_wrapper [conqueues.tools.wrap]
    ?.?.6.2.3 Binary ends [conqueues.tools.binends]
    ?.?.6.3 Managed Ends [conqueues.tools.managed]
    ?.?.6.3.1 Class template shared_queue_back [conqueues.tools.sharedback]
    ?.?.6.3.2 Class template shared_queue_front [conqueues.tools.front]
    ?.?.6.3.3 Function template share_queue_ends [conqueues.tools.shareendsfront]
Revision History

Introduction

Queues provide a mechanism for communicating data between components of a system.

The existing deque in the standard library is an inherently sequential data structure. Its reference-returning element access operations cannot synchronize access to those elements with other queue operations. So, concurrent pushes and pops on queues require a different interface to the queue structure.

Moreover, concurrency adds a new dimension for performance and semantics. Different queue implementation must trade off uncontended operation cost, contended operation cost, and element order guarantees. Some of these trade-offs will necessarily result in semantics weaker than a serial queue.

Conceptual Interface

We provide basic queue operations, and then extend those operations to cover other important issues.

Basic Operations

The essential solution to the problem of concurrent queuing is to shift to value-based operations, rather than reference-based operations.

The basic operations are:

void queue::push(const Element&);
void queue::push(Element&&);

Push the Element onto the queue.

Element queue::value_pop();

Pop an Element from the queue. The element will be moved out of the queue in preference to being copied.

These operations will wait when the queue is full or empty. (Not all queue implementations can actually be full.) These operations may block for mutual exclusion as well.

Non-Waiting Operations

Waiting on a full or empty queue can take a while, which has an opportunity cost. Avoiding that wait enables algorithms to avoid queuing speculative work when a queue is full, to do other work rather than wait for a push on a full queue, and to do other work rather than wait for a pop on an empty queue.

queue_op_status queue::try_push(const Element&);
queue_op_status queue::try_push(Element&&);

If the queue is full, return queue_op_status::full. Otherwise, push the Element onto the queue. Return queue_op_status::success.

queue_op_status queue::try_pop(Element&);

If the queue is empty, return queue_op_status::empty. Otherwise, pop the Element from the queue. The element will be moved out of the queue in preference to being copied. Return queue_op_status::success.

These operations will not wait when the queue is full or empty. They may block for mutual exclusion.

Non-Blocking Operations

For cases when blocking for mutual exclusion is undesirable, one can consider non-blocking operations. The interface is the same as the try operations but is allowed to also return queue_op_status::busy in case the operation is unable to complete without blocking.

queue_op_status queue::nonblocking_push(const Element&);
queue_op_status queue::nonblocking_push(Element&&);

If the operation would block, return queue_op_status::busy. Otherwise, if the queue is full, return queue_op_status::full. Otherwise, push the Element onto the queue. Return queue_op_status::success.

queue_op_status queue::nonblocking_pop(Element&);

If the operation would block, return queue_op_status::busy. Otherwise, if the queue is empty, return queue_op_status::empty. Otherwise, pop the Element from the queue. The element will be moved out of the queue in preference to being copied. Return queue_op_status::success.

These operations will neither wait nor block. However, they may do nothing.

The non-blocking operations highlight a terminology problem. In terms of synchronization effects, nonwaiting_push on queues is equivalent to try_lock on mutexes. And so one could conclude that the existing try_push should be renamed nonwaiting_push and nonblocking_push should be renamed try_push. However, at least Thread Building Blocks uses the existing terminology. Perhaps better is to not use try_push and instead use nonwaiting_push and nonblocking_push.

In November 2016, the Concurrency Study Group chose to defer non-blocking operations. Hence, the proposed wording does not include these functions. In addition, as these functions were the only ones that returned busy, that enumeration is also not included.

Push Front Operations

Occasionally, one may wish to return a popped item to the queue. We can provide for this with push_front operations.

void queue::push_front(const Element&);
void queue::push_front(Element&&);

Push the Element onto the back of the queue, i.e. in at the end of the queue that is normally popped. Return queue_op_status::success.

queue_op_status queue::try_push_front(const Element&);
queue_op_status queue::try_push_front(Element&&);

If the queue was full, return queue_op_status::full. Otherwise, push the Element onto the front of the queue, i.e. in at the end of the queue that is normally popped. Return queue_op_status::success.

queue_op_status queue::nonblocking_push_front(const Element&);
queue_op_status queue::nonblocking_push_front(Element&&);

If the operation would block, return queue_op_status::busy. Otherwise, if the queue is full, return queue_op_status::full. Otherwise, push the Element onto the front queue. i.e. in at the end of the queue that is normally popped. Return queue_op_status::success.

This feature was requested at the Spring 2012 meeting. However, we do not think the feature works.

In short, we do not think that in a concurrent environment push_front provides sufficient semantic value to justify its cost. Consequently, the proposed wording does not provide this feature.

Closed Queues

Threads using a queue for communication need some mechanism to signal when the queue is no longer needed. The usual approach is add an additional out-of-band signal. However, this approach suffers from the flaw that threads waiting on either full or empty queues need to be woken up when the queue is no longer needed. To do that, you need access to the condition variables used for full/empty blocking, which considerably increases the complexity and fragility of the interface. It also leads to performance implications with additional mutexes or atomics. Rather than require an out-of-band signal, we chose to directly support such a signal in the queue itself, which considerably simplifies coding.

To achieve this signal, a thread may close a queue. Once closed, no new elements may be pushed onto the queue. Push operations on a closed queue will either return queue_op_status::closed (when they have a status return) or throw queue_op_status::closed (when they do not). Elements already on the queue may be popped off. When a queue is empty and closed, pop operations will either return queue_op_status::closed (when they have a status return) or throw queue_op_status::closed (when they do not).

The additional operations are as follows. They are essentially equivalent to the basic operations except that they return a status, avoiding an exception when queues are closed.

void queue::close() noexcept;

Close the queue.

bool queue::is_closed() const;

Return true iff the queue is closed.

queue_op_status queue::wait_push(const Element&);
queue_op_status queue::wait_push(Element&&);

If the queue was closed, return queue_op_status::closed. Otherwise, push the Element onto the queue. Return queue_op_status::success.

queue_op_status queue::wait_pop(Element&);

If the queue is empty and closed, return queue_op_status::closed. Otherwise, if the queue is empty, return queue_op_status::empty. Otherwise, pop the Element from the queue. The element will be moved out of the queue in preference to being copied. Return queue_op_status::success.

The push and pop operations will wait when the queue is full or empty. All these operations may block for mutual exclusion as well.

There are use cases for opening a queue that is closed. While we are not aware of an implementation in which the ability to reopen a queue would be a hardship, we also imagine that such an implementation could exist. Open should generally only be called if the queue is closed and empty, providing a clean synchronization point, though it is possible to call open on a non-empty queue. An open operation following a close operation is guaranteed to be visible after the close operation and the queue is guaranteed to be open upon completion of the open call. (But of course, another close call could occur immediately thereafter.)

void queue::open();

Open the queue.

Note that when is_closed() returns false, there is no assurance that any subsequent operation finds the queue closed because some other thread may close it concurrently.

If an open operation is not available, there is an assurance that once closed, a queue stays closed. So, unless the programmer takes care to ensure that all other threads will not close the queue, only a return value of true has any meaning.

Given these concerns with reopening queues, we do not propose wording to reopen a queue.

Empty and Full Queues

It is sometimes desirable to know if a queue is empty.

bool queue::is_empty() const;

Return true iff the queue is empty.

This operation is useful only during intervals when the queue is known to not be subject to pushes and pops from other threads. Its primary use case is assertions on the state of the queue at the end if its lifetime, or when the system is in quiescent state (where there no outstanding pushes).

We can imagine occasional use for knowing when a queue is full, for instance in system performance polling. The motivation is significantly weaker though.

bool queue::is_full() const;

Return true iff the queue is full.

Not all queues will have a full state, and these would always return false.

Queue Names

It is sometimes desirable for queues to be able to identify themselves. This feature is particularly helpful for run-time diagnotics, particularly when 'ends' become dynamically passed around between threads. See Managed Indirection below.

const char* queue::name();

Return the name string provided as a parameter to queue construction.

There is some debate on this facility, but we see no way to effectively replicate the facility. However, in recognition of that debate, the wording below does not provide the name facility.

Element Type Requirements

The above operations require element types with a default constructor, copy/move constructors, copy/move assignment operators, and destructor. These operations may be trivial. The default constructor and destructor shall not throw. The copy/move constructors and copy/move assignment operators may throw, but must must leave the objects in a valid state for subsequent operations.

Exception Handling

Concurrent queues cannot completely hide the effect of exceptions, in part because changes cannot be transparently undone when other threads are observing the queue.

Queues may rethrow exceptions from storage allocation, mutexes, or condition variables.

If the element type operations required do not throw exceptions, then only the exceptions above are rethrown.

When an element copy/move may throw, some queue operations have additional behavior.

Queue Ordering

The conceptual queue interface makes minimal guarantees.

In particular, the conceptual interface does not guarantee that the sequentially consistent order of element pushes matches the sequentially consistent order of pops. Concrete queues could specify more specific ordering guarantees.

Lock-Free Implementations

Lock-free queues will have some trouble waiting for the queue to be non-empty or non-full. Therefore, we propose two closely-related concepts. A full concurrent queue concept as described above, and a non-waiting concurrent queue concept that has all the operations except push, wait_push, value_pop and wait_pop. That is, it has only non-waiting operations (presumably emulated with busy wait) and non-blocking operations, but no waiting operations. We propose naming these WaitingConcurrentQueue and NonWaitingConcurrentQueue, respectively.

Note: Adopting this conceptual split requires splitting some of the facilities defined later.

It may be helpful to know if a concurrent queue has a lock free implementation.

static bool queue::is_lock_free() const;

Return true iff the has a lock-free implementation of the non-waiting operations.

Concrete Queues

In addition to the concept, the standard needs at least one concrete queue. We describe two concrete queues.

Locking Buffer Queue

We provide a concrete concurrent queue in the form of a fixed-size buffer_queue. It meets the WaitingConcurrentQueue concept. It provides for construction of an empty queue, and construction of a queue from a pair of iterators. Constructors take a parameter specifying the maximum number of elements in the buffer. Constructors may also take a parameter specifying the name of the queue. If the name is not present, it defaults to the empty string.

The buffer_queue deletes the default constructor, the copy constructor, and the copy assignment operator. We feel that their benefit might not justify their potential confusion.

Lock-Free Buffer Queue

We provide a concrete concurrent queue in the form of a fixed-size lock_free_buffer_queue. It meets the NonWaitingConcurrentQueue concept. The queue is still under development, so details may change.

In November 2016, the Concurrency Study Group chose to defer lock-free queues. Hence, the proposed wording does not include a concrete lock-free queue.

Additional Conceptual Tools

There are a number of tools that support use of the conceptual interface. These tools are not part of the queue interface, but provide restricted views or adapters on top of the queue useful in implementing concurrent algorithms.

Fronts and Backs

Restricting an interface to one side of a queue is a valuable code structuring tool. This restriction is accomplished with the classes generic_queue_front and generic_queue_back parameterized on the concrete queue implementation. These act as pointers with access to only the front or the back of a queue. The front of the queue is where elements are popped. The back of the queue is where elements are pushed.

void send( int number, generic_queue_back<buffer_queue<int>> arv );

These fronts and backs are also able to provide begin and end operations that unambiguously stream data into or out of a queue.

Streaming Iterators

In order to enable the use of existing algorithms streaming through concurrent queues, they need to support iterators. Output iterators will push to a queue and input iterators will pop from a queue. Stronger forms of iterators are in general not possible with concurrent queues.

Iterators implicitly require waiting for the advance, so iterators are only supportable with the WaitingConcurrentQueue concept.

void iterate(
    generic_queue_back<buffer_queue<int>>::iterator bitr,
    generic_queue_back<buffer_queue<int>>::iterator bend,
    generic_queue_front<buffer_queue<int>>::iterator fitr,
    generic_queue_front<buffer_queue<int>>::iterator fend,
    int (*compute)( int ) )
{
    while ( fitr != fend && bitr != bend )
        *bitr++ = compute(*fitr++);
}

Note that contrary to existing iterator algorithms, we check both iterators for reaching their end, as either may be closed at any time.

Note that with suitable renaming, the existing standard front insert and back insert iterators could work as is. However, there is nothing like a pop iterator adapter.

Storage Iterators

In addition to iterators that stream data into and out of a queue, we could provide an iterator over the storage contents of a queue. Such and iterator, even when implementable, would mostly likely be valid only when the queue is otherwise quiecent. We believe such an iterator would be most useful for debugging, which may well require knowledge of the concrete class. Therefore, we do not propose wording for this feature.

Binary Interfaces

The standard library is template based, but it is often desirable to have a binary interface that shields client from the concrete implementations. For example, std::function is a binary interface to callable object (of a given signature). We achieve this capability in queues with type erasure.

We provide a queue_base class template parameterized by the value type. Its operations are virtual. This class provides the essential independence from the queue representation.

We also provide queue_front and queue_back class templates parameterized by the value types. These are essentially generic_queue_front<queue_base<Value>> and generic_queue_front<queue_base<Value>>, respectively.

To obtain a pointer to queue_base from an non-virtual concurrent queue, construct an instance the queue_wrapper class template, which is parameterized on the queue and derived from queue_base. Upcasting a pointer to the queue_wrapper instance to a queue_base instance thus erases the concrete queue type.

extern void seq_fill( int count, queue_back<int> b );

buffer_queue<int> body( 10 /*elements*/, /*named*/ "body" );
queue_wrapper<buffer_queue<int>> wrap( body );
seq_fill( 10, wrap.back() );

Managed Indirection

Long running servers may have the need to reconfigure the relationship between queues and threads. The ability to pass 'ends' of queues between threads with automatic memory management eases programming.

To this end, we provide shared_queue_front and shared_queue_back template classes. These act as reference-counted versions of the queue_front and queue_back template classes. These shared versions act on a queue_counted class template, which is a counted version of queue_base.

The concrete counted queues are the queue_owner class template, which takes ownership of a raw pointer to a queue, and the queue_object class template, which constructs and instance of the implementation queue within itself. Both class templates are derived from queue_counted.

queue_owner<buffer_queue<int>> own( new buffer_queue<int>(10, "own") );
seq_fill( 10, own.back() );
queue_object<buffer_queue<int>> obj( 10, "own" );
seq_fill( 10, obj.back() );

The share_queue_ends(Args ... args) template function will provide a pair of shared_queue_front and shared_queue_back to a dynamically allocated queue_object instance containing an instance of the specified implementation queue. When the last of these fronts and backs are deleted, the queue itself will be deleted. Also, when the last of the fronts or the last of the backs is deleted, the queue will be closed.

auto x = share_queue_ends<buffer_queue<int>>( 10, "shared" );
shared_queue_front<int> f(x.first);
shared_queue_back<int> b(x.second);
f.push(3);
assert(3 == b.value_pop());

Implementation

A free, open-source implementation of these interfaces is avaliable at the Google Concurrency Library project at https://github.com/alasdairmackintosh/google-concurrency-library. The concrete buffer_queue is in ..../blob/master/include/buffer_queue.h. The concrete lock_free_buffer_queue is in ..../blob/master/include/lock_free_buffer_queue.h. The corresponding implementation of the conceptual tools is in ..../blob/master/include/queue_base.h.

Proposed Wording

The concurrent queue container definition is as follows. The section, paragraph, and table references are based on those of N4567 Working Draft, Standard for Programming Language C++, Richard Smith, November 2015.

?.? Concurrent queues [conqueues]

Add a new section.

?.?.1 General [conqueues.general]

Add a new section.

This section provides mechanisms for concurrent access to a queue. These mechanisms ease the production of race-free programs (1.10 [intro.multithread]).

?.?.2 Header <conqueue> synopsis [conqueues.syn]

To Be Determined.

?.?.3 Operation status [conqueues.status]

Add a new section.

Many concurrent queue operations return a status in the form of the following enumeration.

enum class queue_op_status

Enumerators:

success = 0, empty, full, closed

?.?.4 Concepts [conqueues.concepts]

Add a new section.

This section provides the conceptual operations for concurrent queues of type queue of Element types.

?.?.4.1 Element requirements [conqueues.concept.elemreq]

Add a new section:

The types of the elements of a concurrent queue must provide a default constructor, either or both of a copy constructor or a move constructor, either or both of a copy assignment operator or a move assignment operator, and a destructor.

The default constructor and destructor shall not throw. Any copy/more constructor or copy/move assignment operator that throws shall leave the objects in a valid state for subsequent operations.

None of the above constructors, assignments or destructor may call any operation on a concurrent queue for which their objects may become a member. [Note: Queues may hold an internal lock while performing the above operations, and if they were to call a queue operation, deadlock would result. —end note]

?.?.4.2 Element type naming [conqueues.concept.elemtype]

Add a new section:

The queue class shall provide a typedef to its element value type.

typedef implementation-defined value_type;

?.?.4.3 Lock-free attribute operations [conqueues.concept.lockfree]

Add a new section:

A queue type provides lock-free operations (1.10 [intro.multithread], or it does not.

static bool queue::is_lock_free();

Returns:

If the non-waiting operations of the queue type are lock-free, true. Otherwise, false.

Remark:

The function returns the same result for all instances of the type.

?.?.4.4 Synchronization [conqueues.concept.sync]

Add a new section:

For synchronization purposes, and unless otherwise stated, all queue operations appear to operate on a single memory location, all non-const queue operations appear to be sequentially consistent atomic read-modify-write operations, and all const queue operations appear to be atomic loads from this location. [Note: In particular, all queue operations appear to execute in a single global order, that is part of the total order S (29.3 [atomics.order]) of sequentially consistent operations. Each non-const queue operation A strongly happens before every operation on the same queue that follows A in S. Whether or not the queue preserves a FIFO order is a property of the concrete class. —end note]

static bool queue::is_lock_free();

Returns:

If the non-waiting operations of the queue type are lock-free, true. Otherwise, false.

Remark:

The function returns the same result for all instances of the type.

?.?.4.4 State operations [conqueues.concept.state]

Add a new section:

Upon construction, every queue shall be in an open state. It may move to a closed state, but shall not move back to an open state.

void queue::close() noexcept;

Effects:

Closes the queue. No pushes subsequent to the close shall succeed.

bool queue::is_closed() const noexcept;

Returns:

true if the queue is closed, otherwise, false

bool queue::is_empty() const noexcept;

Returns:

true if every element pushed has also been popped. Otherwise, false

Notes:

This operation is typically useful only when threads are known to be in a state where they will not push.

bool queue::is_full() const noexcept;

Returns:

true if a push operation would fail due to unavailable space. Otherwise, false

Notes:

This operation is typically useful only when threads are known to be in a state where they will not pop.

?.?.4.5 Waiting operations [conqueues.concept.wait]

Add a new section:

void queue::push(const Element&);
void queue::push(Element&&);

Effects:

If the queue is closed, throws an exception. Otherwise, if space is available on the queue, copies or moves the element onto the queue and returns. Otherwise, waits until space is available or the queue is closed.

Throws:

Any exception from operations on storage allocation, mutexes, or condition variables. If an element copy/move operation throws, the state of the queue is unaffected and the push shall rethrow the exception. If the operation cannot otherwise complete because the queue is closed, throws queue_op_status::closed.

Element queue::value_pop();

Effects:

If an element is available on the queue, moves the element from the queue to the result and returns. Otherwise, if the queue is closed, throws an exception. Otherwise, waits until an element is available or the queue is closed.

Returns:

The element moved from the queue.

Throws:

Any exception from operations on storage allocation, mutexes, or condition variables. If an element copy/move operation throws, the state of the element is popped and the pop shall rethrow the exception. If the operation cannot otherwise complete because the queue is closed, throws queue_op_status::closed.

queue_op_status queue::wait_push(const Element&);
queue_op_status queue::wait_push(Element&&);

Effects:

If the queue is closed, returns. Otherwise, if space is available on the queue, copies or moves the element onto the queue and returns. Otherwise, waits until space is available or the queue is closed.

Returns:

If the queue was closed, queue_op_status::closed. Otherwise, the push was successful, queue_op_status::success.

Throws:

Any exception from operations on storage allocation, mutexes, or condition variables. If an element copy/move operation throws, the state of the queue is unaffected and the push shall rethrow the exception.

queue_op_status queue::wait_pop(Element&);

Effects:

If an element is available on the queue, moves the element from the queue to the parameter and returns. Otherwise, if the queue is closed, returns. Otherwise, waits until an element is available or the queue is closed.

Returns:

If the queue was closed, queue_op_status::closed. Otherwise, the pop was successful, queue_op_status::success.

Throws:

Any exception from operations on storage allocation, mutexes, or condition variables. If an element copy/move operation throws, the state of the element is popped and the pop shall rethrow the exception.

?.?.4.6 Non-waiting operations [conqueues.concept.nonwait]

Add a new section:

queue_op_status queue::try_push(const Element&);
queue_op_status queue::try_push(Element&&);

Effects:

If the queue is closed, returns. Otherwise, if space is available on the queue, copies or moves the element onto the queue and returns. Otherwise, returns.

Returns:

If the queue was closed, queue_op_status::closed. Otherwise, if the push was successful, queue_op_status::success. Otherwise, space was unavailable, queue_op_status::full.

Throws:

Any exception from operations on storage allocation, mutexes, or condition variables. If an element copy/move operation throws, the state of the queue is unaffected and the push shall rethrow the exception.

queue_op_status queue::try_pop(Element&);

Effects:

If an element is available on the queue, moves the element from the queue to the parameter and returns. Otherwise, returns.

Returns:

If the pop was successful, queue_op_status::success. Otherwise, if the queue is closed, queue_op_status::closed. Otherwise, no element was available, queue_op_status::empty.

Throws:

Any exception from operations on storage allocation, mutexes, or condition variables. If an element copy/move operation throws, the state of the element is popped and the pop shall rethrow the exception.

?.?.4.7 Type concepts [conqueues.concept.type]

Add a new section:

The WaitingConcurrentQueue concept provides all of the operations specified above.

The NonWaitingConcurrentQueue concept provides all of the operations specified above, except the waiting operations ([conqueues.concept.wait]). A NonWaitingConcurrentQueue is lock-free (1.10 [intro.multithread]) when its member function is_lock_free reports true.

The WaitingConcurrentQueueBack concept provides all of the operations specified above except the pop operations.

The WaitingConcurrentQueueFront concept provides all of the operations specified above except the push operations.

The NonWaitingConcurrentQueueBack concept provides all of the operations specified above except the pop operations and the waiting push operations. A NonWaitingConcurrentQueueBack is lock-free (1.10 [intro.multithread]) when its member function is_lock_free reports true.

The NonWaitingConcurrentQueueFront concept provides all of the operations specified above except the push operations and the waiting pop operations. A NonWaitingConcurrentQueueFront is lock-free (1.10 [intro.multithread]) when its member function is_lock_free reports true.

?.?.5 Concrete queues [conqueues.concrete]

Add a new section:

There is one concrete concurrent queue type.

?.?.5.1 Class template buffer_queue[conqueues.concrete.buffer]

Add a new section:

template <typename Value>
class buffer_queue
{
  buffer_queue() = delete;
  buffer_queue(const buffer_queue&) = delete;
  buffer_queue& operator =(const buffer_queue&) = delete;
public:
  typedef Value value_type;
  explicit buffer_queue(size_t max_elems);
  template <typename Iter>
  buffer_queue(size_t max_elems, Iter first, Iter last);
  ~buffer_queue() noexcept;

  void close() noexcept;
  bool is_closed() const noexcept;
  bool is_empty() const noexcept;
  bool is_full() const noexcept;
  static bool is_lock_free() noexcept;

  Value value_pop();
  queue_op_status wait_pop(Value&);
  queue_op_status try_pop(Value&);

  void push(const Value& x);
  queue_op_status wait_push(const Value& x);
  queue_op_status try_push(const Value& x);
  void push(Value&& x);
  queue_op_status wait_push(Value&& x);
  queue_op_status try_push(Value&& x);
};

The class template buffer_queue implements the WaitingConcurrentQueue concept. The class template buffer_queue provides a FIFO ordering. That is, the sequentially consistent order of pushes is the same as the sequentially consistet order of pops. (See the synchronization of push [conqueues.concept.wait].)

buffer_queue(size_t max_elems);

Effects:

Constructs the queue with a buffer capacity of max_elems.

Throws:

Any exception thrown by constructing the internal arrays or mutexes.

template <typename Iter> buffer_queue(size_t max_elems, Iter first, Iter last);

Effects:

Constructs the queue with a buffer capacity of max_elems. Initializes the internal array by iterating from first to last.

Throws:

Any exception thrown by constructing the internal arrays or mutexes.

~buffer_queue() noexcept;

Effects:

Destroys the queue. Any elements remaining within the queue are discarded.

?.?.6 Tools [conqueues.tools]

Add a new section:

Additional tools help to use and manage concurrent queues.

?.?.6.1 Ends and Iterators [conqueues.tools.ends]

Add a new section:

Access to only a single end of a queue is a valuable code structuring tool. A single end can also provide unambiguous begin and end operations that return iterators.

?.?.6.1.1 Class template generic_queue_back [conqueues.tools.back]

Add a new section:

template <typename Queue>
class generic_queue_back
{
public:
  typedef typename Queue::value_type value_type;
  typedef value_type& reference;
  typedef const value_type& const_reference;

  typedef implementation-defined iterator;
  typedef const iterator const_iterator;

  generic_queue_back(Queue& queue);
  generic_queue_back(Queue* queue);
  generic_queue_back(const generic_queue_back& other) = default;
  generic_queue_back& operator =(const generic_queue_back& other) = default;

  void close() noexcept;
  bool is_closed() const noexcept;
  bool is_empty() const noexcept;
  bool is_full() const noexcept;
  static bool is_lock_free() noexcept;
  bool has_queue() const noexcept;

  iterator begin();
  iterator end();
  const iterator cbegin();
  const iterator cend();

  void push(const value_type& x);
  queue_op_status wait_push(const value_type& x);
  queue_op_status try_push(const value_type& x);

  void push(value_type&& x);
  queue_op_status wait_push(value_type&& x);
  queue_op_status try_push(value_type&& x);
};

The class template generic_queue_back implements WaitingConcurrentQueueBack

generic_queue_back(Queue& queue);
generic_queue_back(Queue* queue);

Effects:

Constructs the queue back with a pointer to the queue object given.

~generic_queue_back() noexcept;

Effects:

Destroys the queue back.

bool has_queue() const noexcept;

Returns:

true if the contained pointer is not null. false otherwise.

?.?.6.1.2 Class template generic_queue_front [conqueues.tools.front]

Add a new section:

template <typename Queue>
class generic_queue_front
{
public:
  typedef typename Queue::value_type value_type;
  typedef value_type& reference;
  typedef const value_type& const_reference;

  typedef implementation-defined iterator;
  typedef const iterator const_iterator;

  generic_queue_front(Queue& queue);
  generic_queue_front(Queue* queue);
  generic_queue_front(const generic_queue_front& other) = default;
  generic_queue_front& operator =(const generic_queue_front& other) = default;

  void close() noexcept;
  bool is_closed() const noexcept;
  bool is_empty() const noexcept;
  bool is_full() const noexcept;
  static bool is_lock_free() noexcept;
  bool has_queue() const noexcept;

  iterator begin();
  iterator end();
  const iterator cbegin();
  const iterator cend();

  value_type value_pop();
  queue_op_status wait_pop(value_type& x);
  queue_op_status try_pop(value_type& x);
};

The class template generic_queue_front implements WaitingConcurrentQueueFront

generic_queue_front(Queue& queue);
generic_queue_front(Queue* queue);

Effects:

Constructs the queue front with a pointer to the queue object given.

~generic_queue_front() noexcept;

Effects:

Destroys the queue front.

bool has_queue() const noexcept;

Returns:

true if the contained pointer is not null. false otherwise.

?.?.6.2 Binary interfaces [conqueues.tools.binary]

Add a new section:

Occasionally it is best to have a binary interface to any concurrent queue of a given element type. This binary interface is provided by a base class with virtual members and a generic wrapper class that references any queue through that base class.

?.?.6.2.1 Class template queue_base [conqueues.tools.base]

Add a new section:

template <typename Value>
class queue_base
{
public:
  typedef Value value_type;
  typedef value_type& reference;
  typedef const value_type& const_reference;

  virtual ~queue_base noexcept();

  virtual void close() noexcept = 0;
  virtual bool is_closed() const noexcept = 0;
  virtual bool is_empty() const noexcept = 0;
  virtual bool is_full() const noexcept = 0;
  virtual bool is_lock_free() const noexcept = 0;

  virtual void push(const Value& x) = 0;
  virtual queue_op_status wait_push(const Value& x) = 0;
  virtual queue_op_status try_push(const Value& x) = 0;

  virtual void push(Value&& x) = 0;
  virtual queue_op_status wait_push(Value&& x) = 0;
  virtual queue_op_status try_push(Value&& x) = 0;

  virtual Value value_pop() = 0;
  virtual queue_op_status wait_pop(Value&) = 0;
  virtual queue_op_status try_pop(Value&) = 0;
};

The class template queue_base, and all classes derived from it, shall implement the WaitingConcurrentQueue concept.

~queue_base() noexcept;

Effects:

Destroys the queue.

?.?.6.2.2 Class template queue_wrapper [conqueues.tools.wrap]

Add a new section:

template <typename Queue>
class queue_wrapper
:
    public virtual queue_base <typename Queue::value_type>
{
  public:
    typedef typename Queue::value_type value_type;
    typedef value_type& reference;
    typedef const value_type& const_reference;

    queue_wrapper(Queue* arg);
    queue_wrapper(Queue& arg);
    virtual ~queue_wrapper() noexcept;

    virtual void close() noexcept;
    virtual bool is_closed() const noexcept;
    virtual bool is_empty() const noexcept;
    virtual bool is_full() const noexcept;
    virtual bool is_lock_free() const noexcept;

    virtual void push(const value_type& x);
    virtual queue_op_status wait_push(const value_type& x);
    virtual queue_op_status try_push(const value_type& x);

    virtual void push(value_type&& x);
    virtual queue_op_status wait_push(value_type&& x);
    virtual queue_op_status try_push(value_type&& x);

    virtual value_type value_pop();
    virtual queue_op_status wait_pop(value_type& x);
    virtual queue_op_status try_pop(value_type& x);
};

?.?.6.2.3 Binary ends [conqueues.tools.binends]

Add a new section:

In addition to binary interfaces to queues, binary interfaces to ends are also useful.

template <typename Value>
alias queue_back = generic_queue_back< queue_base< Value > >;
template <typename Value>
alias queue_front = generic_queue_front< queue_base< Value > >;

?.?.6.3 Managed Ends [conqueues.tools.managed]

Add a new section:

Automatically managing references to queues can be helpful when queues are used as a communication medium.

?.?.6.3.1 Class template shared_queue_back [conqueues.tools.sharedback]

Add a new section:

template <typename Value>
class shared_queue_back
{
public:
  typedef typename Value value_type;
  typedef value_type& reference;
  typedef const value_type& const_reference;

  typedef implementation-defined iterator;
  typedef const iterator const_iterator;

  shared_queue_back(const shared_queue_back& other);
  shared_queue_back& operator =(const shared_queue_back& other);

  void close() noexcept;
  bool is_closed() const noexcept;
  bool is_empty() const noexcept;
  bool is_full() const noexcept;
  bool is_lock_free() const noexcept;

  iterator begin();
  iterator end();
  const iterator cbegin();
  const iterator cend();

  void push(const value_type& x);
  queue_op_status wait_push(const value_type& x);
  queue_op_status try_push(const value_type& x);

  void push(value_type&& x);
  queue_op_status wait_push(value_type&& x);
  queue_op_status try_push(value_type&& x);
};

The class template shared_queue_back implements WaitingConcurrentQueueBack

shared_queue_back(const shared_queue_back& other);
shared_queue_back& operator =(const shared_queue_back& other) = default;

Effects:

Copy the pointer to the queue, but keep the back of the queue reference counted.

~shared_queue_back() noexcept;

Effects:

Destroys the queue back. If this is the last back reference, and there are no front references, destroy the queue. If this is the last back reference, and there are front references, close the queue.

?.?.6.3.2 Class template shared_queue_front [conqueues.tools.front]

Add a new section:

template <typename Queue>
class shared_queue_front
{
public:
  typedef typename Queue::value_type value_type;
  typedef value_type& reference;
  typedef const value_type& const_reference;

  typedef implementation-defined iterator;
  typedef const iterator const_iterator;

  shared_queue_front(Queue& queue);
  shared_queue_front(Queue* queue);
  shared_queue_front(const shared_queue_front& other) = default;
  shared_queue_front& operator =(const shared_queue_front& other) = default;

  void close() noexcept;
  bool is_closed() const noexcept;
  bool is_empty() const noexcept;
  bool is_full() const noexcept;
  bool is_lock_free() const noexcept;
  bool has_queue() const noexcept;

  iterator begin();
  iterator end();
  const iterator cbegin();
  const iterator cend();

  value_type value_pop();
  queue_op_status wait_pop(value_type& x);
  queue_op_status try_pop(value_type& x);
};

The class template shared_queue_front implements WaitingConcurrentQueueFront

shared_queue_front(const shared_queue_front& other);
shared_queue_front& operator =(const shared_queue_front& other) = default;

Effects:

Copy the pointer to the queue, but keep the front of the queue reference counted.

~shared_queue_front() noexcept;

Effects:

Destroys the queue front. If this is the last front reference, and there are no back references, destroy the queue. If this is the last front reference, and there are back references, close the queue.

?.?.6.3.3 Function template share_queue_ends [conqueues.tools.shareendsfront]

Add a new section:

template <typename Queue, typename ... Args>
std::pair< shared_queue_back<typename Queue::value_type>,
shared_queue_front<typename Queue::value_type> >
share_queue_ends(Args ... args);

Effects:

Constructs a Queue with the given Args. Initializes a set of reference counters for that queue.

Returns:

a pair consisting of one shared_queue_back and one shared_queue_front.

Revision History

This paper revises P0260R0 - 2016-02-14 as follows.

P0260R0 revised N3533 - 2013-03-12 as follows.

N3532 revised N3434 = 12-0043 - 2012-01-14 as follows.

N3434 revised N3353 = 12-0043 - 2012-01-14 as follows.