Document number: P0561R1
Date: 2017-06-15
Reply to:
Geoff Romer <gromer@google.com>,
Andrew Hunter <ahh@google.com>
Audience: Concurrency Study Group
For purposes of this paper, deferred reclamation refers to a pattern of concurrent data sharing with two components: readers access the data while holding reader locks, which guarantee that the data will remain live while the lock is held. Meanwhile one or more updaters update the data by replacing it with a newly-allocated value. All subsequent readers will see the new value, but the old value is not destroyed until all readers accessing it have released their locks. Readers never block the updater or other readers, and the updater never blocks readers. Updates are inherently costly, because they require allocating and constructing new data values, so they are expected to be rare compared to reads.
This pattern can be implemented in several ways, including reference counting, RCU, and hazard pointers. Several of these have been proposed for standardization (see e.g. P0233R3, P0279R1, and P0461R1), but the proposals have so far exposed these techniques through fairly low-level APIs.
In this paper, we will propose a high-level RAII API for deferred reclamation, which emphasizes safety and usability rather than fidelity to low-level primitives, but still permits highly efficient implementation. This proposal is based on an API which is used internally at Google, and our experience with it demonstrates the value of providing a high-level API: in our codebase we provide both a high-level API like the one proposed here, and a more bare-metal RCU API comparable to P0461, and while the high-level API has over 200 users, the low-level API has one.
This proposal is intended to complement, rather than conflict with, proposals for low-level APIs for RCU, hazard pointers, etc, and it can be standardized independently of whether and when we standardize those other proposals.
We begin with a simple example of how this API can be used: a
Server
class which handles requests using some config data,
and can receive new versions of that config data (e.g. from a thread which
polls the filesystem). Each request is handled using the latest config data
available when the request is handled (i.e. updates do not affect
requests already in flight). No synchronization is required between
any of these operations.
class Server { public: void SetConfig(Config new_config) { config_.update(std::make_unique<const Config>(std::move(new_config))); } void HandleRequest() { snapshot_ptr<const Config> config = config_.get_snapshot(); // Use `config` like a unique_ptr<const Config> } private: cell<Config> config_; };
The centerpiece of this proposal is the cell<T>
class template, a wrapper which is either empty or holds a single object
of type T
(the name is intended to suggest a storage cell, but
we expect it to be bikeshedded). Rather than providing direct access to the
stored object, it allows the user to obtain a snapshot of the
current state of the object:
template <typename T, typename Alloc = allocator<T>> class basic_cell { public: // Not copyable or movable cell(cell&&) = delete; cell& operator=(cell&&) = delete; cell(const cell&) = delete; cell& operator=(const cell&) = delete; cell(nullptr_t = nullptr, const Alloc& alloc = Alloc()); cell(std::unique_ptr<T> ptr, const Alloc& alloc = Alloc()); void update(nullptr_t); void update(unique_ptr<T> ptr); snapshot_ptr<T> get_snapshot() const; }; templateusing cell = basic_cell<see below>; template <typename T> class snapshot_ptr { public: // Move only snapshot_ptr(snapshot_ptr&&) noexcept; snapshot_ptr& operator=(snapshot_ptr&&) noexcept; snapshot_ptr(const snapshot_ptr&) = delete; snapshot_ptr& operator=(const snapshot_ptr&) = delete; constexpr snapshot_ptr(nullptr_t = nullptr); // Converting operations, enabled if U* is convertible to T* template <typename U> snapshot_ptr(snapshot_ptr<U>&& rhs) noexcept; template <typename U> snapshot_ptr& operator=(snapshot_ptr<U>&& rhs) noexcept; T* get() const noexcept; T& operator*() const; T* operator->() const noexcept; explicit operator bool() const noexcept; operator std::shared_ptr<T>() &&; void swap(snapshot_ptr& other); }; template <typename T> void swap(snapshot_ptr<T>& lhs, snapshot_ptr<T>& rhs); template <typename T> bool operator==(const snapshot_ptr<T>& lhs, const snapshot_ptr<T>& rhs); // Similar overloads for !=, <, >, <=, and >=, and mixed // comparison with nullptr_t. template <typename T> struct hash<snapshot_ptr<T>>;
We intend most users to use cell
most of the time, although
basic_cell
is more fundamental. The problem with
basic_cell
is that, like so many other things in C++, it has
the wrong default: a basic_cell<std::string>
enables multiple threads to share mutable access to a
std::string
object, which is an open invitation to data races.
Users can make the shared data immutable, but they have to opt into
it by adding const
to the type. We could add the
const
in the library, but then users would have no way to opt
out if they geuninely do want to share mutable data (this is a reasonable
thing to want, if the data has a race-free type).
This library is intended for routine use by non-expert programmers,
so in our view safety must be the default, not something
users have to opt into. Consequently, we provide a fully general but
less safe API under the slightly more awkward name basic_cell
,
while reserving the name cell
for a safe-by-default
alias.
Specifically, cell<T>
is usually an alias for
basic_cell<const T>
, but if the trait
is_race_free_v<T>
is true, signifying that T
can be mutated concurrently without races, then cell<T>
will be an alias for basic_cell<T>
. Thus, cell
exposes the most powerful interface that can be provided safely, while
basic_cell
provides users an opt-out, such as for cases where
T
is not inherently race-free, but the user will ensure it
is used in a race-free manner. basic_cell
thus acts as a marker
of potentially unsafe code that warrants closer scrutiny, much like
e.g. const_cast
.
The major drawback we see in this approach is that it means that
constness is somewhat less predictable: if c
is a
cell<T>
, c.get_snapshot()
might return
a snapshot_ptr<T>
or a
snapshot_ptr<const T>
, depending on T
.
We don't expect this to be a serious problem, because const T
will be both the most common case by far, and the safe choice if the
user is uncertain (snapshot_ptr<T>
implicitly converts
to snapshot_ptr<const T>
). The problem can also be
largely avoided through judicious use of auto
.
Alternative approach: we could unconditionally define
cell<T>
as an alias for
basic_cell<const T>
. This would be substantially simpler,
but basic_cell
would not be able to act as a marker of
code that requires close scrutiny, since many if not most uses of it
(e.g. basic_cell<atomic<int>>
) would be safe
by construction. That said, any use of basic_cell<T>
would still warrant some scrutiny, since shared mutable data usually
carries a risk of race conditions, even if it is immune to data races.
Other than construction and destruction, all operations on
basic_cell
behave as atomic operations for purposes of
determining a data race. One noteworthy consequence of this is that
basic_cell
is not movable, because there are plausible extensions
of this design (e.g. to support user-supplied RCU domains) under which we
believe that move assignment cannot be made atomic without degrading the
performance of get_snapshot
.
cell
's destructor is non-blocking, and
does not require all outstanding snapshot_ptr
s to be destroyed
first. This is motivated by the principle that concurrency APIs should strive
to avoid coupling between client threads that isn't mediated by the
API; concurrency APIs should solve thread coordination problems, not
create new ones. That said, destruction of the cell
must
already be coordinated with the threads that actually read it,
so also coordinating with the threads that hold snapshot_ptr
s
to it may not be much additional burden (particularly since
snapshot_ptr
s cannot be passed across threads).
Some deferred reclamation libraries are built around the concept of
"domains", which can be used to isolate unrelated operations from each
other (for example with RCU, long-lived reader locks can delay all
reclamation within a domain, but do not affect other domains). This
proposal does not include explicit support for domains, so effectively
all users of this library would share a single global domain. So far
our experience has not shown this to be a problem. If necessary
domain support can be added, by adding the domain as a constructor
parameter of cell
(with a default value, so client code
can ignore domains if it chooses), but it is difficult to see how to
do so without exposing implementation details (e.g. RCU vs. hazard
pointers).
snapshot_ptr<T>
's API is closely modeled on
unique_ptr<T>
, and indeed it could often be implemented
as an alias for unique_ptr
with a custom deleter, except that
we don't want to expose operations such as release()
or
get_deleter()
that could violate API invariants or leak
implementation details.
A snapshot_ptr
is either null, or points to a live object of
type T
, and it is only null if constructed from
nullptr
, moved-from, or is the result of invoking
get_snapshot()
on an empty basic_cell
(in
particular, a snapshot_ptr
cannot spontaneously become null due
to the actions of other threads). The guarantee that the object is live means
that calling get_snapshot()
is equivalent to acquiring a reader
lock, and destroying the resulting snapshot_ptr
is equivalent to
releasing the reader lock.
All operations on a snapshot_ptr
are non-blocking.
We require the user to destroy a snapshot_ptr
in the same
thread where it was obtained, so that this library can be implemented in terms
of libraries that require reader lock acquire/release operations to
happen on the same thread. Note that unique_lock
implicitly
imposes the same requirement, so this is not an unprecedented restriction.
There are plausible use cases for transferring a snapshot_ptr
across threads, and some RCU implementations can support it efficiently,
but based on SG1 discussions we think it's safer to start with the
more restrictive API, and broaden it later as needed.
The const semantics of get_snapshot()
merit closer
scrutiny. The proposed API permits users who have only const access
to a basic_cell<T>
to obtain non-const access to
the underlying T
. This is similar to the "shallow const"
semantics of pointers, but unlike the "deep const" semantics of other
wrapper types such as optional
. In essence, the problem is
that this library naturally supports three distinct levels of access
(read-only, read-write, and read-write-update), but the const system can
only express two. Our intuition (which SG1 in Kona generally seemed to share)
is that the writer/updater distinction is more fundamental than the
reader/writer distinction, so const should capture the former rather than
the latter, but it's a close call.
We had considered providing snapshot_ptr
with an aliasing
constructor comparable to the one for shared_ptr
:
template <typename U> snapshot_ptr(snapshot_ptr<U>&& other, T* ptr);
This would enable the user, given a snapshot_ptr
to an
object, to construct a snapshot_ptr
to one of its members.
However, it would mean we could no longer guarantee that a
snapshot_ptr
is either null or points to a live object.
SG1's consensus in Kona was to omit this feature, and we agree:
we shouldn't give up that guarantee without a compelling use case.
snapshot_ptr<T>
rvalues, like
unique_ptr<T>
rvalues, are convertible to
shared_ptr<T>
. However, even if two
snapshot_ptr
s point to the same data, the
shared_ptr
s they generate may not "share ownership" in
the sense of [util.smartptr.shared], and so use_count()
and
unique()
are not guaranteed to reflect the number of readers
of the underlying snapshot. In principle this may cause confusion, but we
don't see any reason for users to want to use those methods in this context
in the first place, especially given all the caveats they carry.
Perhaps more problematic is the fact that these shared_ptr
s
must still obey the same-thread destruction requirement (or at least,
the last copy must). It may be easier to accidentally violate this
requirement with shared_ptr
s, because the restriction is
not marked by the type. We propose to provide this conversion despite
these concerns because it provides potentially useful functionality that
users cannot easily recreate (because we provide no access to the
deleter).
The update side is more complex. It consists of two parallel sets of
overloads, constructors and update()
, which respectively
initialize the cell
with a given value, and update the
cell
to store a given value. update()
is
always non-blocking, and in particular does not wait for the old data
value to be destroyed.
The constructor and update()
overload taking
nullptr_t
respectively initialize and set the cell
to the empty state. The fact that a cell
can be empty is in
some ways unfortunate, since it's generally more difficult to reason about
types with an empty or null state, and users could always say
cell<optional<T>>
if they explicitly want
an empty state. However, given that snapshot_ptr
must have
a null state in order to be movable, eliminating the empty state would
not simplify user code much. Furthermore, forbidding the empty state
when we support initialization from a nullable type would actually
complicate the API.
The constructor and update()
overload that accept a
unique_ptr<T> ptr
take ownership of it, and respectively
initialize and set the current value of the cell to *ptr
.
Internally, cell
must maintain some sort of data structure
to hold its previous values until it can destroy them, and sometimes
this will require allocating memory. In
revision 0 of this paper, we
discussed a possible mechanism by which the user could consolidate
those allocations with their own allocation of the T
data.
However, this would effectively couple the library to a particular
implementation, and greatly complicate the interface. Furthermore,
its value is questionable, because those allocations can be made rare and
small in normal usage (when snapshot_ptr
s are destroyed within
bounded time). In Kona, the SG1 consensus (which we agree with) was that
such a mechanism is not necessary.
It also bears mentioning that this library may need to impose
some restrictions on the allocators it supports. In particular,
it may need to require that the allocator's pointer
type is a raw pointer, or can safely be converted to one, since
the implementation layer is unlikely to be able to accept "fancy
pointers".
We have opted not to provide an emplacement-style constructor or
update
function, for several reasons. First of all,
it provides no additional functionality; it's syntactic sugar for
update(make_unique<T>(...))
that might on some
implementations be slightly more efficient (if it can consolidate
allocations a la make_shared
). Second, it would not be
fully general; sometimes users need to perform some sort of setup
in the interval between constructing the object and publishing it.
Finally, it conflicts with another possible feature, support for
custom deleters.
Currently, unique_ptr
s passed to this library must use
std::default_delete
, but it's natural to ask if we could
support other deleters. There are two ways we could go about that:
we could make the deleter a template parameter of cell
,
or of the individual methods. Parameterizing the individual methods
would be more flexible, but it would require some sort of type erasure,
which would risk bloating the cell
object (which can currently
be as small as sizeof(T*)
), and/or degrading
performance on the read path (which needs to be fast). Parameterizing
the whole class avoids type erasure, but precludes us from supporting
emplace-style operations, because there's no way for the library
to know how to allocate and construct an object so that it can be
cleaned up by an arbitrary deleter.
Given the uncertainties around both features, the conflict between them, and the lack of strong motivation to add them, we have opted to omit them both for the time being.
One noteworthy property of update()
is that there is
no explicit support for specifying in the update()
call
how the old value is cleaned up, which we are told is required in some
RCU use cases in the Linux kernel. It is possible for the user to
approximate support for custom cleanup by using a custom destructor
whose behavior is controlled via a side channel, but this
is a workaround, and an awkward one at that. We've opted not to
include this feature because use cases for it appear to be quite
rare (our internal version of this API lacks this feature, and
nobody has asked for it), and because it would substantially
complicate the API. It would add an extra update()
parameter which most users don't need, and which would break the
symmetry between constructors and update()
overloads.
More fundamentally, it would raise difficult questions about the
relationship between the user-supplied cleanup logic and the original
deleter: does the cleanup logic run instead of the deleter,
or before the deleter? Neither option seems very satisfactory.
This proposal is designed to permit implementation via RCU, hazard
pointers, or reference counting (or even garbage collection, we suppose).
It is also designed to permit implementations that perform reclamation
on background threads (which can enable update()
to be
nonblocking and lock-free regardless of T
), as well
as implementations that reclaim any eligible retired values during
update()
calls (which can ensure that update()
is truly wait-free if ~T()
is, and ensure a bound on the
number of unreclaimed values). These two techniques appear to
be mutually exclusive, and neither seems dramatically superior
to the other: this API is not intended for cases where
update()
is a performance bottleneck, and in practice the
number of retired but unreclaimed values should be tightly bounded
in normal use, even if it is theoretically unbounded. Consequently, we
propose to permit either implementation strategy, by not bounding the
number of live old values and permitting update()
to delete
unreclaimed old values.
We tentatively propose to also allow the implementation to perform
reclamation during ~snapshot_ptr
, because that's the most
natural choice for reference counting, but we're concerned that this risks
adding latency to the read path (e.g. if ~T
is slow or blocking).
The alternative would be to require reference-counting implementations to
defer reclamation to a subsequent update()
call or a
separate thread, but that would probably be slower when T
is trivially destructible. We are opting not to impose this constraint
because it will be easier to add later than to remove.
We do not intend to support the trivial implementation strategy of never performing any reclamation at all, but it is not yet clear if we will be able to disallow it without also disallowing other more reasonable implementation strategies. If we are not able to make this implementation nonconforming, we will non-normatively discourage it as strongly as possible.
This proposal cannot be implemented in terms of an RCU library that requires user code to periodically enter a "quiescent" state where no reader locks are held. We see no way to satisfy such a requirement in a general-purpose library, since it means that any use of the library, no matter how local, imposes constraints on the global structure of the threads that use it (even though the top-level thread code may otherwise be completely unaware of the library). This would be quite onerous to comply with, and likely a source of bugs. Neither Userspace RCU, Google's internal RCU implementation, nor P0233R2's hazard pointer API impose this requirement, so omitting it does not appear to be a major implementation burden.
This proposal also does not require user code to register and unregister
threads with the library, for more or less the same reasons: it
would cause local uses of the library to impose global constraints on
the program, creating an unacceptable usability and safety burden.
P0233R2
and Google's internal RCU do not impose this requirement, and
Userspace RCU provides a library that does not (although at some performance
cost). Furthermore, the standard library can satisfy this requirement if
need be, without exposing users to it, by performing the necessary
registration in std::thread
.
A previous version of this paper stated that we did not think this API could be implemented in terms of hazard pointers, but that was an error. We are aware of no obstacles to implementing this library in terms of hazard pointers. However, we expect RCU to be the preferred implementation strategy in practice, because it can provide superior performance on the read side.
basic_cell
and altered the role of
is_race_free
, in order to provide a per-instance
(as well as per-type) opt-out of default thread-safety.update()
calls are now guaranteed not to race with each
other, because it simplifies the API: it's easier to remember that
cell
is always race-free than to try to keep track of which
operations can race with which. As noted above, updates are expected
to be relatively rare, so additional locking in update()
should not matter, and in any event common implementations should be able
to support this without locking.cell
is not movable.snapshot_ptr
s to be destroyed in
the same thread where they are created; see the main text for the
rationale.cell_init
.cell<T>
grants ability to mutate the T
.use_count()
and
unique()
on shared_ptr
s created from
snapshot_ptr
s.update()
.Thanks to Paul McKenney and Maged Michael for valuable feedback on drafts of this paper.