1. Changes
1.1. R6
-
Incorporate feedback from SG1 and LEWG given in Wrocław, Poland, November 2024.
-
Remove the wording about delegatee schedulers
-
’s sender can complete withsystem_scheduler
, with aset_error
argument.std :: exception_ptr -
Remove
overload forsystem_scheduler query ( get_completion_scheduler_t )
.set_stopped_t -
Add
to move, copy constructor, move/copy assignment operators (special member functions) ofnoexcept
.system_scheduler -
Add lvalue
to to system sender class.connect -
Add
,sender_concept
andcompletion_signatures
to the definition of the system sender class, making it a sender.get_env -
Mandate replaceability
-
Define replaceability mechanism (both link-time and runtime)
-
Define replaceability API
-
Add Specification section
1.2. R5
-
Streamline the paper
-
Make replaceability availability implementation-defined
-
Make replaceability API implementation-defined
-
Replace the use of
class with direct calls tosystem_context get_system_scheduler () -
Update user-facing API
-
Relax the lifetime guarantees to allow using system scheduler outside of
main ()
1.3. R4
-
Add more design considerations & goals.
-
Add comparison of different replaceability options
-
Add motivation for replaceability ABI standardization
-
Add the example of the ABI for replacement
-
Strengthen the lifetime guarantees.
1.4. R3
-
Remove
andexecute_all
. Replace with compile-time customization and a design discussion.execute_chunk -
Add design discussion about the approach we should take for customization and the extent to which the context should be implementation-defined.
-
Add design discussion for an explicit
class.system_context -
Add design discussion about priorities.
1.5. R2
-
Significant redesign to fit in [P2300R10] model.
-
Strictly limit to parallel progress without control over the level of parallelism.
-
Remove direct support for task groups, delegating that to
.async_scope
1.6. R1
-
Minor modifications
1.7. R0
-
First revision
2. Introduction
[P2300R10] describes a rounded set of primitives for asynchronous and parallel execution that give a firm grounding for the future. However, the paper lacks a standard execution context and scheduler. It has been broadly accepted that we need some sort of standard scheduler.As part of [P3109R0], system context was voted as a must-have for the initial release of senders/receivers. It provides a convenient and scalable way of spawning concurrent work for the users of senders/receivers.
As noted in [P2079R1], an earlier revision of this paper, the
included in later revisions of [P0443R14] had many shortcomings.
This was removed from [P2300R10] based on that and other input.
One of the biggest problems with local thread pools is that they lead to CPU oversubscription. This introduces a performance problem for complex systems that are composed from many independent parts.
Another problem that system context is aiming to solve is the composability of components that may rely on different parallel engines. An application might have multiple parts, possibly in different binaries; different parts of the application may not know of each other. Thus, different parts of the application might use different parallel engines. This can create several problems:
-
oversubscription because of different thread pools
-
problems with nested parallel loops (one parallel loop is called from the other)
-
problems related to interaction between different parallel engines
-
etc.
To solve these problems we propose a parallel execution context that:
-
can be shared between multiple parts of the application
-
does not suffer from oversubscription
-
can integrate with the OS scheduler
-
can be replaced by the user to compose well with other parallel runtimes
This parallel execution context is called in this paper the system context. The users can obtain a scheduler from this system context.
2.1. Design overview
The system context is a parallel execution context of undefined size, supporting explicitly parallel forward progress.
The execution resources of the system context are envisioned to be shared across all binaries in the same process. System scheduler works best with CPU-intensive workloads, and thus, limiting oversubscription is a key goal.
By default, the system context should be able to use the OS scheduler, if the OS has one. On systems where the OS scheduler is not available, the system context will have a generic implementation that acts like a thread pool.
For enabling the users to hand-tune the performance of their applications, and for fulfilling the composability requirements, the system context should be replaceable. The user should be able to replace the default implementation of the system context with a custom one that fits their needs.
Other key concerns of this design are:
-
Extensibility: being able to extend the design to work with new additions to the senders/receivers framework.
-
Lifetime: as system context is a global resource, we need to pay attention to the lifetime of this resource.
-
Performance: as we envision this to be used in many cases to spawn concurrent work, performance considerations are important.
3. Examples
As a simple parallel scheduler we can use it locally, andsync_wait
on the work to make sure that it is complete.
With forward progress delegation this would also allow the scheduler to delegate work to the blocked thread.
This example is derived from the Hello World example in [P2300R10]. Note that it only adds a well-defined context
object, and queries that for the scheduler.
Everything else is unchanged about the example.
using namespace = std :: execution ; scheduler auto sch = get_system_scheduler (); sender auto begin = schedule ( sch ); sender auto hi = then ( begin , []{ std :: cout << "Hello world! Have an int." ; return 13 ; }); sender auto add_42 = then ( hi , []( int arg ) { return arg + 42 ; }); auto [ i ] = std :: this_thread :: sync_wait ( add_42 ). value ();
We can structure the same thing using
, which better matches structured concurrency:
using namespace std :: execution ; scheduler auto sch = get_system_scheduler (); sender auto hi = then ( just (), []{ std :: cout << "Hello world! Have an int." ; return 13 ; }); sender auto add_42 = then ( hi , []( int arg ) { return arg + 42 ; }); auto [ i ] = std :: this_thread :: sync_wait ( on ( sch , add_42 )). value ();
The
customizes
, so we can use
dependent on the scheduler.
Here we use it in structured form using the parameterless
that retrieves the scheduler from the receiver, combined with
:
using namespace std :: execution ; auto bar () { return let_value ( read_env ( get_scheduler ), // Fetch scheduler from receiver. []( auto current_sched ) { return bulk ( current_sched . schedule (), 1 , // Only 1 bulk task as a lazy way of making cout safe []( auto idx ){ std :: cout << "Index: " << idx << " \n " ; }) }); } void foo () { auto [ i ] = std :: this_thread :: sync_wait ( on ( get_system_scheduler (), // Start bar on the system_scheduler bar ())) // and propagate it through the receivers . value (); }
Use
and a custom system context implementation linked in to the process (through a mechanism undefined in the example).
This might be how a given platform exposes a custom context.
In this case we assume it has no threads of its own and has to take over the main thread through an custom
operation that can be looped until a callback requests
on the context.
using namespace std :: execution ; int result = 0 ; { async_scope scope ; scheduler auto sch = get_system_scheduler (); sender auto work = then ( just (), [ & ]( auto sched ) { int val = 13 ; auto print_sender = then ( just (), [ val ]{ std :: cout << "Hello world! Have an int with value: " << val << " \n " ; }); // spawn the print sender on sched to make sure it // completes before shutdown scope . spawn ( on ( sch , std :: move ( print_sender ))); return val ; }); scope . spawn ( on ( sch , std :: move ( work ))); // This is custom code for a single-threaded context that we have replaced // We need to drive it in main. // It is not directly sender-aware, like any pre-existing work loop, but // does provide an exit operation. We may call this from a callback chained // after the scope becomes empty. // We use a temporary terminal_scope here to separate the shut down // operation and block for it at the end of main, knowing it will complete. async_scope terminal_scope ; terminal_scope . spawn ( scope . on_empty () | then ([]( my_os :: exit ( sch )))); my_os :: drive ( sch ); std :: this_thread :: sync_wait ( terminal_scope ); }; // The scope ensured that all work is safely joined, so result contains 13 std :: cout << "Result: " << result << " \n " ; // and destruction of the context is now safe
To replace the implementation of system scheduler at runtime, one might do it the following way:
namespace scr = std :: execution :: system_context_replaceability ; struct my_system_scheduler_impl : scr :: system_scheduler { void schedule ( scr :: receiver * r , scr :: storage s ) noexcept override { r -> set_value (); } void bulk_schedule ( uint32_t n , scr :: bulk_item_receiver * r , scr :: storage s ) noexcept override { for ( uint32_t i = 0 ; i < count ; ++ i ) r -> start ( i ); r -> set_value (); } }; auto old_factory = scr :: set_system_context_backend_factory < scr :: system_scheduler > ( []() -> std :: shared_ptr < scr :: system_scheduler > { return std :: make_shared < my_system_scheduler_impl > (); }); ... // Use the system scheduler here ... ( void ) scr :: set_system_context_backend_factory < scr :: system_scheduler > ( old_factory );
To change the implementation of system scheduler at link-time, one might do it the following way:
namespace std :: execution :: system_context_replaceability { template <> extern __attribute__ (( __weak__ )) std :: shared_ptr < system_scheduler > query_system_context < system_scheduler > () { return std :: make_shared < my_system_scheduler_impl > (); } }
4. Design
4.1. User facing API
system_scheduler get_system_scheduler (); class system_scheduler { // exposition only public : system_scheduler () = delete ; ~ system_scheduler (); system_scheduler ( const system_scheduler & ) noexcept ; system_scheduler ( system_scheduler && ) noexcept ; system_scheduler & operator = ( const system_scheduler & ) noexcept ; system_scheduler & operator = ( system_scheduler && ) noexcept ; bool operator == ( const system_scheduler & ) const noexcept ; forward_progress_guarantee query ( get_forward_progress_guarantee_t ) const noexcept ; impl - defined - system_sender schedule () const noexcept ; // customization for bulk }; class impl - defined - system_sender { // exposition only public : using sender_concept = sender_t ; using completion_signatures = execution :: completion_signatures < set_value_t (), set_stopped_t (), set_error_t ( exception_ptr ) > ; impl - defined - environment get_env () const noexcept ; system_scheduler query ( get_completion_scheduler_t < set_value_t > ) const noexcept ; template < receiver R > requires receiver_of < R > impl - defined - operation_state connect ( R && ) & noexcept ( std :: is_nothrow_constructible_v < std :: remove_cvref_t < R > , R > ); template < receiver R > requires receiver_of < R > impl - defined - operation_state connect ( R && ) && noexcept ( std :: is_nothrow_constructible_v < std :: remove_cvref_t < R > , R > ); };
-
returns a scheduler that provides a view on some underlying execution context supporting parallel forward progress, with at least one thread of execution (which may be the main thread).get_system_scheduler () -
two objects returned by
may share the same execution context. If work submitted by one can consume the underlying thread pool, that can block progress of another.get_system_scheduler () -
if
is the type of object returned bySch
, then:get_system_scheduler () -
is implementation-defined, but must be nameable.Sch -
models theSch
concept.scheduler -
implements theSch
query to returnget_forward_progress_guarantee
.parallel -
implementsSch
customization point to return an implementation-definedschedule
type.sender -
calls onschedule
are non-blocking operations.Sch -
implements theSch
CPO to customize thebulk
sender adapter such that:bulk -
when
is called on the createdexecution :: set_value ( r , args ...)
, an agent is created with parallel forward progress on the underlying system context for eachreceiver
of typei
fromShape
to0
, wheresh
is the shape parameter to thesh
call, that callsbulk
.f ( i , args ...)
-
-
-
if
is an object returned bysch
, then:get_system_scheduler () -
the lifetime of
does not have to outlive work submitted to it.sch -
is both move and copy constructible and assignable.sch -
if
is another object returned bysch2
, thenget_system_scheduler ()
issch == sch2 true
if and only if they share the same backend implementation.
-
-
if
is a sender obtaining from callingsnd
on the scheduler returned byschedule
, andget_system_scheduler ()
its type, then:Snd -
is implementation-defined, but must be nameable.Snd -
models theSnd
concept.sender -
exposes an environment that implements theSnd
query for the value completion channel, returning an object that equals to itself.get_completion_scheduler -
ingconnect
to asnd
object and callingreceiver
on the resulting operation state are non-blocking operations.start () -
if
is connected with asnd
that supports thereceiver
query and if thatget_stop_token
is stopped, operations on whichstop_token
has been called, but are not yet running (and are hence not yet guaranteed to make progress) must complete withstart
as soon as is practical.set_stopped -
if
is connected with asnd
, and the resulting operation is started but the implementation reaches an error condition, the operation must complete withreceiver
, whereset_error ( ep )
is of typeep
.std :: exception_ptr
-
-
The
algorithm is customized for the scheduler returned bybulk get_system_scheduler () -
the corresponding sender has the same properties as the sender returned by
;schedule () -
the functor given to
is invoked from threads belonging to the system execution context.bulk
-
4.2. Replaceability API
namespace std :: execution :: system_context_replaceability { template < class - type Interface > // class-type is defined in [execution.syn] extern shared_ptr < Interface > query_system_context (); // exposition only template < class - type Interface > using factory - type = shared_ptr < Interface > ( * )(); template < class - type Interface > extern factory - type set_system_context_backend_factory ( factory - type ); struct receiver { virtual ~ receiver () = default ; protected : // exposition only virtual bool unspecified - query - env ( unspecified - id , void * ) noexcept = 0 ; public : receiver ( const receiver & ) = delete ; receiver ( receiver && ) = delete ; receiver & operator = ( const receiver & ) = delete ; receiver & operator = ( receiver && ) = delete ; virtual void set_value () noexcept = 0 ; virtual void set_error ( std :: exception_ptr ) noexcept = 0 ; virtual void set_stopped () noexcept = 0 ; template < class - type P > std :: optional < P > try_query () noexcept ; }; struct bulk_item_receiver : receiver { virtual void start ( uint32_t ) noexcept = 0 ; }; struct storage { void * data ; uint32_t size ; }; struct system_scheduler { virtual ~ system_scheduler () = default ; virtual void schedule ( receiver * , storage ) noexcept = 0 ; virtual void bulk_schedule ( uint32_t , bulk_item_receiver * , storage ) noexcept = 0 ; }; }
-
Note: for the current exposition we call backend the part of the application that implements a custom system context, and frontend the part of the application that uses the custom system context. The frontend part consists of library code that implements the user-facing API to call the interfaces implemented by the backend.
-
is a function template that returns a shared pointer to an object that implements thequery_system_context
concept.Interface -
must return a non-null shared pointer for when called for thequery_system_context
interface; it returns the underlying system scheduler implementation that aims to be shared by all user-facing system scheduler objects.system_scheduler -
Note: in the future, this mechanism may be used to query different types of system context objects, like I/O schedulers, priority schedulers, time schedulers, main scheduler, etc. It can also be used to query implementation-specific interfaces.
-
Note: it is expected for users to want to have link-time replacements of various instantiations of
.Interface
-
-
is a function template that allows setting at runtime the backend for anset_system_context_backend_factory
.Interface -
must have a non-trivial implementation forset_system_context_backend_factory
interface; it allows replacing at runtime the backend for system scheduler.system_scheduler -
if
is notInterface
, then calling the function may not have any effect.system_scheduler -
Note: in the future, this mechanism may be used to provide runtime replaceability for different types of system context objects, like I/O schedulers, priority schedulers, time schedulers, main scheduler, etc. It can also be used to set backends for implementation-specific interfaces.
-
the function passed to it might be called multiple times to create the backend instance (e.g., if the system scheduler is used after static object destruction started)
-
-
In the absence of link-time replaceability of
andquery_system_context < system_scheduler > ()
, the following must be true:set_system_context_backend_factory < system_scheduler > () -
calls to
synchronizes with calls toset_system_context_backend_factory < system_scheduler > () query_system_context < system_scheduler > () -
after a call to
, if a subsequent call toset_system_context_backend_factory < system_scheduler > ( f )
produces valuequery_system_context < system_scheduler > ()
, thenpsch
is produced bypsch
.f -
Note: calling
while aset_system_context_backend_factory < system_scheduler > ( f )
object is already in use might produce a different value forsystem_scheduler
; this can lead to oversubscription.system_scheduler
-
-
If any of
andquery_system_context < system_scheduler > ()
are link-time replaced, the interaction between a link-time replaced implementation and a run-time implementation is unspecified; i.e., callingset_system_context_backend_factory < system_scheduler > ()
might yield a value coming from the link-time replaced implementation, or from the run-time replaced implementation.query_system_context < system_scheduler > () -
Note:
,receiver
, andbulk_item_receiver
are interfaces that are implemented by the frontend side; onlystorage
is expected to be implemented by a system context implementation.system_scheduler -
class provides the backend a way to query environment properties from the frontend receiver object.receiver -
if, on the frontend side, the sender obtained from a system scheduler is connected to a receiver that has an environment for which
returns anget_stop_token
object, theninplace_stop_token
returns an optional of a value equal with the stop token from the environment;receiver :: try_query < inplace_stop_token > () -
Note: depending on the implementation of the frontend, not all the environment properties may be available to the backend.
-
-
if
is an object that implementssch
interface (and can be returned viasystem_scheduler
), then the following must be true:query_system_context -
if
is called passingsch . schedule ()
of typer
andreceiver *
of types
, then:storage -
at least one of
,set_value
, orset_error
must be eventually called onset_stopped
;r -
is called to signal a successful scheduling of the work; it must be called on a thread belonging to system execution context;set_value -
if
cannot be called, thenset_value
must be called to signal the scheduling error;set_error -
may be called onset_stopped
to signal that the execution of work is no longer needed;r
-
-
the
objectstorage
represents a memory region that starts ats
and hass . data
bytes.s . size -
the storage represented by
must be valid until a completion signal is sent to thes
objectreceiver
.r -
the implementation may use the storage represented by
to store data needed for the scheduling operation.s
-
-
Note: if the receiver
exposes a property for a stop token, and stop was requested on that stop token, thenr
may be called, but this is not guaranteed.set_stopped
-
-
if
is called passingsch . bulk_schedule ()
of typen
,uint32_t
of typer
andbulk_item_receiver *
of types
, then:storage -
at least one of
,set_value
, orset_error
must be eventually called onset_stopped
;r -
is called to signal a successful scheduling of the work; it must be called on a thread belonging to system execution context;set_value -
if
cannot be called, thenset_value
must be called to signal the scheduling error;set_error -
may be called onset_stopped
to signal that the execution of work is no longer needed;r
-
-
the
objectstorage
represents a memory region that starts ats
and hass . data
bytes.s . size -
the storage represented by
must be valid until thes
objectreceiver
is signaled.r -
the implementation may use the storage represented by
to store data needed for the scheduling operation.s
-
-
Note: if the receiver
exposes a property for a stop token, and stop was requested on that stop token, thenr
may be called, but this is not guaranteed.set_stopped -
if
is called onset_value
, thenr
must be called onstart r
times, wheren
is the value passed ton
.bulk_schedule -
the
method is called onstart
to signal the start of the work for ther
-th item in the bulk operation, wherei
is in the rangei
.[ 0 , n ) -
the
method must be called on a thread belonging to the system execution context.start -
the
method must be called before any methods onstart
is called.r
-
-
if in the process of calling
onstart
, the implementation detects that the work cannot be started, thenr
must be called onset_error
to signal the error; in this caser
may not get all the expectedr
calls ton
.start -
if in the process of calling
onstart
, the scheduling process is cancelled, thenr
must be called onset_stopped
to signal the cancellation; in this caser
may not get all the expectedr
calls ton
.start
-
5. Design discussion and decisions
5.1. To drive or not to drive
On single-threaded systems (e.g., freestanding implementations) or on systems in which the main thread has special significance (e.g., to run the Qt main loop), it’s important to allow scheduling work on the main thread. For this, we need the main thread to drive work execution.The earlier version of this paper, [P2079R2], included
and
operations to integrate with senders.
In this version we have removed them because they imply certain requirements of forward progress delegation on the system context and it is not clear whether or not they should be called.
We envision a separate paper that adds the support for drive-ability, which is decoupled by this paper.
We can simplify this discussion to a single function:
void drive ( system_context & ctx , sender auto snd );
Let’s assume we have a single-threaded environment, and a means of customizing the system context for this environment.
We know we need a way to donate
’s thread to this context, it is the only thread we have available.
Assuming that we want a
operation in some form, our choices are to:
-
define our
operation, so that it is standard, and we use it on this system.drive -
or allow the customization to define a custom
operation related to the specific single-threaded environment.drive
With a standard
of this sort (or of the more complex design in [P2079R2]) we might write an example to use it directly:
system_context ctx ; auto snd = on ( ctx , doWork ()); drive ( ctx , std :: move ( snd ));
Without drive, we rely on an
to spawn the work and some system-specific drive operation:
system_context ctx ; async_scope scope ; auto snd = on ( ctx , doWork ()); scope . spawn ( std :: move ( snd )); custom_drive_operation ( ctx );
Neither of the two variants is very portable.
The first variant requires applications that don’t care about drive-ability to call
, while the second variant requires custom pluming to tie the main thread with the system scheduler.
We envision a new paper that adds support for a main scheduler similar to the system scheduler. The main scheduler, for hosted implementations would be typically different than the system scheduler. On the other hand, on freestanding implementations, the main scheduler and system scheduler can share the same underlying implementation, and both of them can execute work on the main thread; in this mode, the main scheduler is required to be driven, so that system scheduler can execute work.
Keeping those two topic as separate papers allows to make progress independently.
5.2. Freestanding implementations
This paper payed attention to freestanding implementations, but doesn’t make any wording proposals for them. We express a strong desire for the system scheduler to work on freestanding implementations, but leave the details to a different paper.
We envision that, a followup specification will ensure that the system scheduler will work in freestanding implementations by sharing the implementation with the main scheduler, which is driven by the main thread.
5.3. Making system context replaceable
The system context aims to allow people to implement an application that is dependent only on parallel forward progress and to port it to a wide range of systems. As long as an application does not rely on concurrency, and restricts itself to only the system context, we should be able to scale from single threaded systems to highly parallel systems.In the extreme, this might mean porting to an embedded system with a very specific idea of an execution context. Such a system might not have a multi-threading support at all, and thus the system context not only runs with single thread, but actually runs on the system’s only thread. We might build the context on top of a UI thread, or we might want to swap out the system-provided implementation with one from a vendor (like Intel) with experience writing optimized threading runtimes.
The latter is also important for the composability of the existing code with the system context, i.e., if Intel Threading building blocks (oneTBB) is used by somebody and they want to start using the system context as well, it’s likely that the users want to replace system context implementation with oneTBB because in that case they would have one thread pool and work scheduler underneath.
We should allow customization of the system context to cover this full range of cases.
To achieve this we see options:
-
Link-time replaceability. This could be achieved using weak symbols, or by choosing a runtime library to pull in using build options.
-
Run-time replaceability. This could be achieved by subclassing and requiring certain calls to be made early in the process.
-
Compile-time replaceability. This could be achieved by importing different headers, by macro definitions on the command line or various other mechanisms.
Link-time replaceability has the following characteristics:
-
Pro: we have precedence in the standard: this is similar to replacing
.operator new -
Pro: more predictable, in that it can be guaranteed to be application-global.
-
Pro: some of the type erasure and indirection can be removed in practice with link-time optimization.
-
Con: it requires defining the ABI and thus, in some cases, would require some type erasure and some inefficiency.
-
Con: harder to get it correctly with shared libraries (e.g., DLLs might have different replaced versions of the system scheduler).
-
Con: the replacement might depend on the order of linking.
Run-time replaceability has the following characteristics:
-
Pro: we have precedence in the standard: this is similar to
.std :: set_terminate () -
Pro: easier to achieve consistent behavior on applications with shared libraries (e.g., Windows has the same version of C++ standard library in DLL).
-
Pro: a program can have multiple implementations of system scheduler.
-
Con: race conditions between replacing the system scheduler and using it to spawn work (for buggy implementations).
-
Con: implies going over an ABI, and cannot be optimized at link-time.
-
Con: different implementation may allocate resources for the system scheduler at startup, and then, at the start of main, the implementation is replaced (this is mainly a QOI issue).
Compile-time replaceability has the following characteristics:
-
Pro: users can do this with a type-def that can be used everywhere and switched.
-
Con: potential problems with ODR violations.
-
Con: doesn’t support shareability across different binaries of the same process
The paper considers compile-time replaceability as not being a viable option because it easily breaks one of the fundamental design principles of a system context, i.e. having one, shared, application-wide execution context, which avoids oversubscription.
Replaceability is also part of the [P2900R8] proposal for the contract-violation handler.
The paper proposes that whether the handler is replaceable to be implementation-defined.
If an implementation chooses to support replaceability, it shall be done similar to replacing the global
and
(link-time replaceability).
The replaceability topic is highly controversial. Some people think that link-time replaceability is the way to go; Adobe supports this position. Others think that run-time replaceability is the way to go; Bloomberg supports this latter position.
The feedback we received from Microsoft, is that they will likely not support replaceability on their platforms. They would prefer that we offer implementations an option to not implement replaceability. Moreover, for systems where replaceability is supported they would prefer to make the replaceability mechanism to be implementation defined.
The authors disagree with the idea that replaceability is not needed for Windows platforms (or other platforms that provide an OS scheduler). The OS scheduler is optimized for certain workloads, and it’s not the best choice for all workloads. This way not providing replaceability options have the following drawbacks:
-
it limits the ability to hand-tune the performance of the application (when system scheduler is used);
-
it limits the
ability to be used in for CPU-intensive workloads;system_scheduler -
it limits the
ability to be used for platforms with accelerators;system_scheduler -
it limits the composability of the system context with other parallel runtimes (while avoiding oversubscription).
The poll taken in Wrocław, Poland, November 2024, showed that the majority of the participants support mandating replaceability, as well as specifying the mechanism of replaceability and the API for replaceability.
In accordance with the feedback, and the beliefs of the authors, the paper proposes the following:
-
mandate replaceability
-
make the replaceability mechanism to be both link-time and runtime
-
define a replaceability API
5.4. Replaceability details
To replace the system scheduler, the user needs to do the following:
-
Implement a system scheduler behind the
interface.std :: system_context_replaceability :: system_scheduler -
If runtime replaceability is desired, call
with a factory method to create the desired system scheduler backend.std :: set_system_context_backend_factory -
If link-time replaceability is desired, follow the implementation instructions to replace the
symbol.std :: system_context_replaceability :: query_system_context
The above points raise a few questions:
-
Can the system scheduler be replaced multiple times?
-
Can the system scheduler be replaced after work is scheduled/started?
-
Can the system scheduler be replaces outside of
?main () -
Can the system scheduler be replaced both at runtime and at link-time?
A quick answer to all of the above questions is "yes".
Replacing the system scheduler multiple times can be achieved with runtime replaceability.
Any call to
will return the last system scheduler set with
.
The call to set the system scheduler and the subsequent calls to get the system scheduler are in a happens-before relation.
Changing the system scheduler can be done after work is scheduled/started. The old work will continue to execute on the previous system scheduler. This implies that, for brief periods of time, multiple system schedulers backends may be active at the same time (possibly leading to oversubscription).
The system scheduler can be replaced outside of
.
This implies that the underlying mechanisms should use something similar to a Phoenix singleton pattern to ensure that the system scheduler is alive while there are users to it.
It is allowed for the implementation to attempt to destroy the system context backend after
returns, just to create it again if system scheduler needs to be used again.
While, in theory it is possible to replace the system scheduler both at runtime and at link-time, in practice, it is not recommended. The paper leaves it to the implementation to decide what happens when both mechanisms are used. Implementations might choose to disable runtime replaceability if link-time replaceability is used. Alternatively, implementations might choose to allow the users to start the program with a link-time replaced system context, and then replace it at runtime with a different system context.
5.5. Extensibility
The
framework is expected to grow over time.
We expect to add time-based scheduling, async I/O, priority-based scheduling, and other for now unforeseen functionality.
The system context framework needs to be designed in such a way that it allows for extensibility.
Whatever the replaceability mechanism is, we need to ensure that new features can be added to the system context in a backwards-compatible manner.
There are two levels in which we can extend the system context:
-
Add more types of schedulers, beside the system scheduler.
-
Add more features to the existing scheduler.
The first type of extensibility can easily be solved by adding new getters for the new types of schedulers. Different types of schedulers should be able to be replaced separately; e.g., one should be able to replace the I/O scheduler without replacing the system scheduler. The discussed replaceability mechanisms support this.
To extend existing schedulers, one can pass properties to it, via the receiver. For example, adding priorities to the system scheduler can be done by adding a priority property to the type-erased receiver object. The list of properties that can be passed to the backend is not finite; however both the frontend and the backend must have knowledge about the supported properties.
5.6. Shareability
One of the motivations of this paper is to stop the proliferation of local thread pools, which can lead to CPU oversubscription. If multiple binaries are used in the same process, we don’t want each binary to have its own implementation of system context. Instead, we would want to share the same underlying implementation.
The paper mandates shareability, but leaves the details of shareability to be implementation-defined (they are different for each backend).
5.7. Performance
To support shareability and replaceability, system context calls may need to go across binary boundaries, over the defined API. A common approach for this is to have COM-like objects. However, the problem with that approach is that it requires memory allocation, which might be a costly operation. This becomes problematic if we aim to encourage programmers to use the system context for spawning work in a concurrent system.
While there are some costs associated with implementing all the goals stated here, we want the implementation of the system context to be as efficient as possible. For example, a good implementation should avoid memory allocation for the common case in which the default implementation is utilized for a platform.
This paper cannot recommend the specific implementation techniques that should be used to maximize performance; these are considered Quality of Implementation (QOI) details.
5.8. Lifetime
Underneath the system scheduler, there is a singleton of some sort. We need to specify the lifetime of this object and everything that derives from it.
Revision R4 of the paper mandates that the lifetime of any
must be fully contained within the lifetime of
.
The reasoning behind this is that ensuring proper construction and destruction order of static objects is typically difficult in practice.
This is especially challenging during the destruction of static objects; and, by symmetry, we also did not want to guarantee the lifetime of the system scheduler before
.
We argued that if we took a stricter approach, we could always relax it later.
We received feedback that this was too strict.
First, there are many applications where the C++ part does not have a
function.
Secondly, this can be considered a quality of implementation issue; implementations can always use a Phoenix singleton pattern to ensure that the underlying system context object remains alive for the duration of the entire program.
R5 revision of the paper relaxes the lifetime requirements of the system scheduler. The system scheduler can now be used in any part of a C++ program.
5.9. Need for the system_context
class
Our goal is to expose a global shared context to avoid oversubscription of threads in the system and to efficiently share a system thread pool.
Underneath the system_context
there is a singleton of some sort, potentially owned by the OS.
The question is how we expose the singleton. We have a few obvious options:
-
Explicit context objects, as we’ve described in R2, R3 and R4 of this paper, where a
is constructed as any other context might be, and refers to a singleton underneath.system_context -
A global
function that obtains aget_system_context ()
object, or a reference to one, representing the singleton explicitly.system_context -
A global
function that obtains a scheduler from some singleton system context, but does not explicitly expose the context.get_system_scheduler ()
In R4 and earlier revisions, we opted for an explicit context object. The reasoning was that providing explicit contexts makes it easier to understand the lifetime of the schedulers. However, adding this extra class does not affect how one would reason about the lifetime of the schedulers or the work scheduled on them. Therefore, introducing an artificial scope object becomes an unnecessary burden.
There were also arguments made for adding
so that we can later add properties to it, that don’t necessarily belong to
.
However, if we would later find such properties, nothing prevents us to add
class later, and make
return
.
Thus, the paper simply proposes a
function that returns a the system scheduler.
The system context is implementation-defined and not exposed to the user.
5.10. Backend environment
For custom backend implementations, it is often necessary access properties of the environment that is connected to the sender that triggers a schedule operation. Because the backend is behind a type-erased boundary, the environment that can be passed to the backend also needs to be type-erased.We’ve added the possibility to encode environment properties in the receiver object.
The backend can query the receiver for environment properties by using the
template method, passing the type of the property that needs querying.
If the property is available, the method returns an optional with the value of the property; otherwise it returns an empty optional.
The backend can query the receiver object for the entire lifetime of the asynchronous operation (until one of the completion signals is called).
One of the implication for using types to query properties is that the exchange of environment properties needs to use concrete types, and cannot use concepts.
If, for example, the backend needs to obtain a stop token, it needs to ask for a specific stop token type (like
), and not for a
concept.
As another example, if the backend needs an allocator, it needs to ask for a specific allocator type, and not use
concept.
At this point, the paper requires that only
is supported by the type-erased receiver object.
Other types might be supported, but it is not required.
The authors envision that the list of supported properties will grow over time.
5.11. Priorities
It’s broadly accepted that we need some form of priorities to tweak the behavior of the system context. This paper does not include priorities, though early drafts of R2 did. We had different designs in flight for how to achieve priorities and decided they could be added later in either approach.The first approach is to expand one or more of the APIs.
The obvious way to do this would be to add a priority-taking version of
:
implementation - defined - system_scheduler get_scheduler (); implementation - defined - system_scheduler get_scheduler ( priority_t priority );
This approach would offer priorities at scheduler granularity and apply to large sections of a program at once.
The other approach, which matches the receiver query approach taken elsewhere in [P2300R10] is to add a
query on the receiver, which, if available, passes a priority to the scheduler in the same way that we pass an
or a
.
This would work at task granularity, for each
call that we connect a receiver to we might pass a different priority.
In either case we can add the priority in a separate paper. It is thus not urgent that we answer this question, but we include the discussion point to explain why they were removed from the paper.
5.12. Reference implementation
The authors prepared a reference implementation in stdexec
A few key points of the implementation:
-
The implementation is divided into two parts: "frontend" and "backend". The frontend part implements the API defined in this paper and calls the backend for the actual implementation. The backend provides the actual implementation of the system context.
-
Allows link-time replaceability for
. Provides examples on doing this.system_scheduler -
Allows run-time replaceability for
. Provides examples on doing this.system_scheduler -
Defines a replaceability API between the frontend and backend parts. This way, one can easily extend this interface when new features need to be added to system context.
-
Uses preallocated storage on the frontend side, so that the default implementation doesn’t need to allocate memory on the heap when adding new work to
.system_scheduler -
Uses a Phoenix singleton pattern to ensure that the system scheduler is alive when needed.
-
As the default implementation is created outside of the frontend part, it can be shared between multiple binaries in the same process.
-
uses a
-based implementation as a default on generic platforms, and usingstatic_thread_pool
as default implementation on MacOSlibdispatch
(as the time of writing this paper revision, not all these features are merged on the mainline).
5.13. Addressing received feedback
5.13.1. Allow for system context to borrow threads
Early feedback on the paper from Sean Parent suggested a need for the system context to support a configuration where it carries no threads of its own and takes over the main thread. While in [P2079R2] we proposedexecute_chunk
and execute_all
, these enforce a particular implementation on the underlying execution context.
Instead, we simplify the proposal by removing this functionality and assuming that it is implemented by link-time or run-time replacement of the context.
We assume that the underlying mechanism to drive the context, should one be necessary, is implementation-defined.
This allows for custom hooks into an OS thread pool, or a simple drive ()
method in main.
As we discussed previously, a separate paper is supposed to take care of the drive-ability aspect.
5.13.2. Allow implementations to use Grand Central Dispatch and Windows Thread Pool
In the current form of the paper, we allow implementations to define the best choice for implementing the system context for a particular system. This includes using Grand Central Dispatch on Apple platforms and Windows Thread Pool on Windows.
In addition, we propose implementations to allow the replaceability of the system context implementation. This means that users should be allowed to write their own system context implementations that depend on OS facilities or a necessity to use some vendor (like Intel) specific solutions for parallelism.
5.13.3. Priorities and elastic pools
Feedback from Sean Parent:
There is so much in that proposal that is not specified. What requirements are placed on the system scheduler? Most system schedulers support priorities and are elastic (i.e., blocking in the system thread pool will spin up additional threads to some limit).
The lack of details in the specification is intentional, allowing implementers to make the best compromises for each platform. As different platforms have different needs, constraints, and optimization goals, the authors believe that it is in the best interest of the users to leave some of these details as Quality of Implementation (QOI) details.
5.13.4. Implementation-defined may make things less portable
Some feedback gathered during discussions on this paper suggested that having many aspects of the paper to be implementation-defined would reduce the portability of the system context.
While it is true that people that would want to replace the system scheduler will have a harder time doing so, this will not affect the users of the system scheduler. They would still be able to the use system context and system scheduler without knowing the implementation details of those.
We have a precedence in the C++ standard for this approach with the global allocator.
5.13.5. Replaceability is not needed (at least on Windows)
Microsoft provided feedback that they will likely not support replaceability on their platforms. The feedback we received from Microsoft, is that they will likely not support replaceability on their platforms. They would prefer that we offer implementations an option to not implement replaceability. Moreover, for systems where replaceability is supported they would prefer to make the replaceability mechanism to be implementation defined.
The authors disagree with the idea that replaceability is not needed for Windows platforms (or other platforms that provide an OS scheduler). The OS scheduler is optimized for certain workloads, and it’s not the best choice for all workloads. This way not providing replaceability options have the following drawbacks:
-
it limits the ability to hand-tune the performance of the application (when system scheduler is used);
-
it limits the
ability to be used in for CPU-intensive workloads;system_scheduler -
it limits the
ability to be used for platforms with accelerators;system_scheduler -
it limits the composability of the system context with other parallel runtimes (while avoiding oversubscription).
The poll taken in Wrocław, Poland, November 2024, showed that the majority of the participants support mandating replaceability, as well as specifying the mechanism of replaceability and the API for replaceability.
6. Specification
6.1. Header < version >
synopsis 17.3.2 [version.syn]
To the
synopsis 17.3.2 [version.syn], add the following:
#define __cpp_lib_syncbuf 201803L // also in <syncstream> #define __cpp_lib_system_scheduler 2025XXL // also in <execution> #define __cpp_lib_text_encoding 202306L // also in <text_encoding>
6.2. 8.2 Header < execution >
synopsis 34.4 [execution.syn]
To the
synopsis 34.4 [execution.syn], add the following at the end of the code block:
namespace std :: execution { // [exec.get_system_scheduler] system_scheduler get_system_scheduler (); // [exec.system_scheduler] class system_scheduler { unspecified }; // [exec.system_scheduler] class impl - defined - system_sender { unspecified }; } // [exec.sysctxrepl] namespace std :: execution :: system_context_replaceability { template < class - type Interface > extern shared_ptr < Interface > query_system_context (); template < class - type Interface > using factory - type = shared_ptr < Interface > ( * )(); // exposition only template < class - type Interface > extern factory - type set_system_context_backend_factory ( factory - type ); struct receiver { virtual ~ receiver () = default ; receiver ( const receiver & ) = delete ; receiver ( receiver && ) = delete ; receiver & operator = ( const receiver & ) = delete ; receiver & operator = ( receiver && ) = delete ; protected : // exposition only virtual bool unspecified - query - env ( unspecified - id , void * ) noexcept = 0 ; public : virtual void set_value () noexcept = 0 ; virtual void set_error ( std :: exception_ptr ) noexcept = 0 ; virtual void set_stopped () noexcept = 0 ; template < class - type P > std :: optional < P > try_query () noexcept ; }; struct bulk_item_receiver : receiver { virtual void start ( uint32_t ) noexcept = 0 ; }; struct storage { void * data ; uint32_t size ; }; struct system_scheduler { virtual ~ system_scheduler () = default ; virtual void schedule ( receiver * , storage ) noexcept = 0 ; virtual void bulk_schedule ( uint32_t , bulk_item_receiver * , storage ) noexcept = 0 ; }; }
6.3. System context
Add the following as a new subsection at the end of 33 [exec]:
33.N.1
[exec.get_system_scheduler]
-
returns the system scheduler object that represents a parallel execution context that can be shared between applications, aiming at avoiding oversubscription.get_system_scheduler -
Returns: An instance of a
class.execution :: system_scheduler -
The intended use for system scheduler is to have the parallel execution context shared between applications.
-
33.N.2
class [exec.system_scheduler]
-
is a class that models thesystem_scheduler
concept and provides access to a parallel execution context that can be shared between applications, aiming at avoiding oversubscription.scheduler -
Users might alter the behavior of the system scheduler by replacing the backend implementation, as discussed in [exec.sysctxrepl].
-
-
An instance of the
class will internally reference an instance ofsystem_scheduler
class. We call this the backend of the system scheduler; see [exec.sysctxrepl].execution :: system_context_replaceability :: system_scheduler -
If the user does not specify a custom backend, a default is provided by the implementation.
-
If no system scheduler backend is available when an instance of the class
is created,system_scheduler
([except.terminate]) is called.terminate ()
-
-
Two objects
andsch1
of typesch2
shall compare equal if and only if they point to the same backend.execution :: system_scheduler -
If
is an object of typesch
, thenexecution :: system_scheduler
returnsget_forward_progress_guarantee ( sch )
.execution :: parallel -
Let
be the object returned by callingsnd
on an object of typeexecution :: schedule ()
;system_scheduler
has exposition-only typesnd
. If a receiverimpl - defined - system_sender
is connected torecv
and the resulting operation state is started, thensnd
is called on the backend object of the system scheduler, whereschedule ( r , s )
andr
are objects created by the frontend such as:s -
is an object of typer
such as:execution :: system_context_replaceability :: receiver -
when the backend calls
, the value completion signal is sent tor -> set_value ()
;recv -
when the backend calls
with a valuer -> set_error ()
, the error completion signal is sent toep
, passing error valuerecv
;ep -
when the backend calls
, the stopped completion signal is sent tor -> set_done ()
.recv
-
-
is an object of types
that points to a (possibly empty) storage space; if the storage space is not empty it shall be available untilexecution :: system_context_replaceability :: storage
,r -> set_value ()
orr -> set_error ()
are called.r -> set_stopped ()
-
-
Implementations shall provide customizations for the
algorithm [exec.bulk]. Letexecution :: bulk ()
be te sender corresponding to the customized call tosnd
. If a receiverexecution :: bulk ( sndr , shape , f )
is connected torecv
and the resulting operation state is started, thensnd
is called on the backend object of the system scheduler such as:bulk_schedule ( n , r , s , e ) -
is an object of typer
such as:execution :: system_context_replaceability :: bulk_item_receiver -
when the backend calls
, the value completion signal is sent tor -> set_value ()
;recv -
when the backend calls
with a valuer -> set_error ()
, the error completion signal is sent toep
, passing error valuerecv
;ep -
when the backend calls
, the stopped completion signal is sent tor -> set_done ()
;recv -
when the backend calls
with an indexr -> start ()
,i
is invoked.f ( i )
-
-
is an object of types
that points to a (possibly empty) storage space; if the storage space is not empty it shall be available untilexecution :: system_context_replaceability :: storage
,r -> set_value ()
orr -> set_error ()
are called.r -> set_stopped ()
-
If [P3481R1] gets accepted, the text specifying the customization for
should be updated to also reference
and
.
If
is customized, the implementations may not provide a customization for
.
33.N.3
namespace [exec.sysctxrepl]
-
Facilities in
namespace allow users to replace the backend for the system scheduler. It provides facilities that allows extending system context and using these extensions between the backend and the frontend.execution :: system_context_replaceability we use the term backend to refer to the actual implementation of the system scheduler, which is hidden behind a type-erased boundary. At the same type, we refer to the frontend as the part of the system context that is exposed to the users, i.e., the
class and related functionality.execution :: system_scheduler -
is used to query a backend for the implementations of certain interfaces.query_system_context () -
allows run-time replaceability of system context backend components.set_system_context_backend_factory () -
represents the type-erased receiver that will be notified about the completion signals of the system scheduler backend; the frontend will provide implementations ofreceiver
.receiver -
represents the type-erased object that will be notified for different iterations of the bulk backend implementation; the frontend will provide implementations ofbulk_item_receiver
.bulk_item_receiver -
is a type that allows the frontend to pass to the backend information of a preallocated storage in which the operation state of the backend might be stored.storage -
is the interface that the backend implements for the system scheduler.system_scheduler
query_system_context < Interface > () -
-
Returns: a shared pointer to an object that implements the
type, or a null pointer if the backend does not implement the interface.Interface -
Remarks:
-
A C++ program may provide replacements for different instantiations of
, similar to the mechanism defined in [replacement.functions].query_system_context < Interface > () -
Must return a non-null pointer for the
interface.execution :: system_context_replaceability :: system_scheduler
set_system_context_backend_factory ( factory - type ) -
-
Effects: stores the given factory functor for the given
.Interface -
Returns: the previous factory functor for the given
.Interface -
Remarks:
-
A C++ program may provide replacements for different instantiations of
, similar to the mechanism defined in [replacement.functions].set_system_context_backend_factory < Interface > () -
If no such replacements are provided for
and also forset_system_context_backend_factory < Interface > ()
, then for a typequery_system_context < Interface > ()
for whichInterface
returns a non-null pointer, the following must hold:query_system_context < Interface > () -
calls to
synchronize with calls toset_system_context_backend_factory < Interface > ()
;query_system_context < Interface > () -
after a call to
for whichset_system_context_backend_factory < system_scheduler > ( f )
produces valuef ()
, a subsequent call topsch
produces value equal toquery_system_context < system_scheduler > ()
.psch
-
-
Calling
while aset_system_context_backend_factory < system_scheduler > ( f )
object is already in use might produce a different value forsystem_scheduler
; this can lead to oversubscription.system_scheduler
std :: optional < P > receiver :: try_query () noexcept -
-
Returns: an optional object that contains the property of type
if the receiver’s environment has such a property, or an empty optional otherwise.P -
If, on the frontend side, the sender obtained from a system scheduler is connected to a receiver that has an environment for which
returns anget_stop_token
object, theninplace_stop_token
returns an optional of a value equal with the stop token from the environment;try_query < inplace_stop_token > () -
It is unspecified for which other properties
the methodP
returns non-empty optional objects.try_query
struct system_scheduler -
-
is an interface that the backend implements for the system scheduler.system_scheduler
virtual void system_scheduler :: schedule ( receiver * r , storage s ) noexcept = 0 -
Effects: undefined behavior unless the following are met by implementations:
-
it schedules new work on a thread belonging to the execution context represented by
;this -
eventually, one of the following methods are called on the given object
:r
,set_value ()
, orset_error ()
.set_stopped () -
if no error occurs, and the work is not cancelled,
must be called;r -> set_value () -
if an error occurs,
must be called with anr -> set_error ()
object representing the error;exception_ptr -
if the work is cancelled,
must be called.r -> set_stopped () -
The canonical way of cancelling the work is to store a stop token inside the type-erased
objectreceiver
, such asr
returns a non-empty object for which stop was requested. However, implementations might choose to ignore this stop request (for example, if cancellation is handled on the frontend), or use alternative ways for signaling cancellation.r . try_query < inplace_stop_token > ()
-
-
Remarks:
-
The caller guarantees that, until
,r -> set_value ()
orr -> set_error ()
are called, the following hold:r -> set_stopped () -
the
object of thethis
instance is valid;system_scheduler -
parameter objects
andr
are valid;s -
the memory of size
pointed bys . size
is valid (ifs . data
is not zero).s . size
-
virtual void system_scheduler :: bulk_schedule ( uint32_t n , bulk_item_receiver * r , storage s ) noexcept = 0 -
-
Effects: same as for
, and in addition:schedule ( r , s , e ) -
if
is called, thenr -> start ( i )
must be in interval [i
,0
);n -
if
is called, thenr -> set_value ()
must be called for eachr -> start ( i )
in interval [i
,0
);n -
all calls to
happen-before the call to eitherr -> start ( i )
,r -> set_value ()
, orr -> set_error ()
;r -> set_stopped () -
for a given
, there should not be more than one call toi
;r -> start ( i ) -
all calls to
need to be made on threads that belong to the execution context represented byr -> start ( i )
.this
-
-
Remarks: same as for
.schedule ( r , s )
7. Polls
7.1. SG1, Wrocław, Poland, 2024
SG1 provided the following feedback, through a poll:
-
Forward P2079R5 to LEWG for C++26 with changes:
-
Remove the wording about delegatee schedulers
-
Add wording about set_error
| SF | F | N | A | SA | | 3 | 2 | 1 | 0 | 0 | Unanimous consent
-
7.2. LEWG, Wrocław, Poland, 2024
LEWG provided the following feedback, through polls:
-
POLL: We support mandating (by specifying in the standard) replaceability, as described in: “P2079R5 System execution context”
| SF | F | N | A | SA | | 10 | 5 | 1 | 0 | 1 | Attendance: 15 IP, 7 online
# of Authors: 2
Author’s Position: 2x SF
Outcome: Consensus in favor
SA: I think using this central point is equivalent to using global and is bad software engineering practice and I wouldn’t like to see it in the standard.
-
POLL: We support mandating the specific mechanism(s) (link time/runtime/both) of replaceability as described in: “P2079R5 System execution context”
| SF | F | N | A | SA | | 5 | 6 | 3 | 0 | 2 | Attendance: 15 IP, 7 online
# of Authors: 2
Author’s Position: 1x SF 1x N
Outcome: Consensus in favor
SA: I don’t believe it’s actually possible to describe this in terms of the abstract machine, we’ve never done that.
-
POLL: We support specifying an API for the replaceability mechanism(s), as described in: “P2079R5 System execution context”
| SF | F | N | A | SA | | 7 | 6 | 2 | 0 | 1 | Attendance: 15 (IP), 7 (R)
# of Authors: 2
Author’s Position: 2x SF
Outcome: Consensus in favor
-
POLL: For lifetime: “P2079R5 System execution context” (approval poll - allowed to vote multiple times):
-
Not specified in the standard (valid to use the system scheduler everywhere) | 11 |
-
Allow lifetime to start before main() (allow use of scheduler before entering main but not after main returns) | 1 |
-
Constrain lifetime to only be inside of main() | 8 |
Attendance: 15 (IP), 7 (R)
Outcome: Slight preference towards 1 ( If authors advocate for 3, they need to add rationale for it)
-
In addition to these polls, LEWG provided the following action items:
-
Add noexcept to move, copy constructor, move/copy assignment operators (special member functions).
-
Strike system_scheudler query(get_completion_scheduler_t) overload.
-
Add Lvalue connectability.
-
Add normative recommendation / non-normative note (if normative - should not be in a note) for sharability in implementations, to be decided later.