Thanks to the fantastic work of our ECS team, the hotly awaited "stageless" scheduling RFC has been implemented! But as we all know, plans and implementations are two different things. Let's take a look at what actually shipped for 0.10.
We know that there's been a lot of changes, but we really do think that ripping off the band-aid now (before any form of stability guarantees) is essential to the health of Bevy's scheduling model going forward.
The migration path for existing applications won't be trivial, but we've done our best to keep it surprisingly straightforward. Don't sweat it!
Ever wanted to specify that system_a
runs before system_b
, only to be met with confusing warnings that system_b
isn't found because it's in a different stage?
No more! All systems within a single schedule are now stored in a single data structure with a global awareness of what's going on.
This simplifies our internal logic, makes your code more robust to refactoring, and allows plugin authors to specify high-level invariants (e.g. "movement must occur before collision checking") without locking themselves in to an exact schedule location.
To support more natural and flexible control over "how are my systems run and scheduled", the idea of a "system set" has been redefined, rolling up the existing "system label" concept into one straightforward but powerful abstraction.
System sets are named collections of systems that share a set of system configuration: if there are run conditions attached, how they are ordered relative to other systems or sets and so on. This is distributive: Ordering systems relative to a system set applies that ordering to all systems in that set.
Let's jump right in to what this would look like.
// System set types are used to provide stable, typed identifiers
// for groups of systems, allowing external systems to order themselves
// without being aware of internal details.
// Each variant of this enum is a distinct system set.
#[derive(SystemSet, Debug, Hash, PartialEq, Eq, Clone)]
enum PhysicsSet {
Forces,
Kinematics,
CollisionDetection
}
app
// .with_run_criteria -> .run_if <3
.add_system(gravity.in_set(PhysicsSet::Forces).run_if(gravity_enabled))
// Add multiple systems at once with add_systems!
.add_systems((
apply_acceleration,
apply_velocity
// Quickly order a list of systems with .chain()
).chain().in_set(PhysicsSet::Kinematics))
.add_system(detect_collisions.in_set(PhysicsSet::CollisionDetection))
// You can add configuration for an entire set in a single place
.configure_set(
PhysicSet::Forces
.in_base_set(CoreSet::Update)
.before(PhysicsSet::Kinematics)
)
.configure_set(
PhysicSet::Kinematics
// Look ma, I can order systems across command flushes
.in_base_set(CoreSet::PostUpdate)
.before(PhysicsSet::CollisionDetection)
// Ooh run condition combinators :eyes:
.run_if(not(game_paused))
)
.configure_set(
PhysicSet::CollisionDetection
.in_base_set(CoreSet::PostUpdate)
)
A system can belong to any number of sets, adding the configuration from each set it belongs to to its own configuration. Similarly, sets can be nested, allowing you to granularly define a clear set of rules for app-level scheduling patterns.
These rules must be compatible with each other: any paradoxes (like a system set inside of itself, or a system that must run both before and after a set) will result in a runtime panic with a helpful error message.
As long as you can construct the type of a system set, you can both order your systems relative to it, and configure its behavior even after it has been initialized elswhere! Crucially system configuration is strictly additive: you cannot remove rules added elsewhere. This is both a "anti-spaghetti" and "plugin privacy" consideration. When this rule is combined with Rust's robust type privacy rules, plugin authors can make careful decisions about which exact invariants need to be upheld, and reorganize code and systems internally without breaking consumers.
Plugin authors: consider offering both a "default configuration" and a "minimal configuration" version of your plugins to support more unusual scheduling patterns while keeping that "it just works" behavior you've come to love.
Stay tuned for more work on plugin configurability in 0.11.
Ever wished that you could just flush commands or run an exclusive system right before this system but after that system without shuffling your entire schedule to make it work?
Now you can! Thanks to ongoing cleanup work in the ECS scheduling internals, and the unified schedule mentioned above, exclusive systems can now be scheduled and ordered like any other system.
app
.add_system(ordinary_system)
// This works?!
.add_system(exclusive_system.after(ordinary_system))
This is particularly powerful, as command flushes (which apply any queued up Commands
added in systems to e.g. spawn and despawn entities) are now simply performed in the apply_system_buffers
exclusive system.
app
.add_systems((
system_that_produces_commands,
// Built-in exclusive system that applies generated commands
apply_system_buffers,
system_that_needs_commands
// chain() creates an ordering between each of these systems,
// so we know that our commands will be ready in time
).chain().in_set(CoreSet::PostUpdate))
Do be careful with this pattern though: it's easy to quickly end up with many poorly ordered exclusive systems, creating bottlenecks and chaos.
Similarly, state transitions can be scheduled manually, one type at a time, in the apply_state_transitions::<S>
exclusive system.
What will you do with this much power? We don't know, but we're keen to find out.
But what if you want to do something weird with your schedule. Something non-linear, or branching, or looping. What should you reach for?
It turns out, Bevy already had a great tool for this: schedules run inside of an exclusive system. The idea is pretty simple:
With the addition of the new Schedules
resource and the world.run_schedule(schedule_label: impl ScheduleLabel)
API it's more
// A schedule!
let mut my_schedule = Schedule::new();
schedule.add_system(my_system);
// A schedule label for it
#[derive(ScheduleLabel, Debug, Hash, PartialEq, Eq, Clone)]
struct MySchedule;
// An exclusive system to run this schedule
fn run_my_schedule(world: &mut World) {
while very_complex_logic(){
world.run_schedule(MySchedule);
}
}
// Behold the ergonomics
app
.add_schedule(MySchedule, my_schedule)
.add_system(run_my_schedule);
Bevy uses this pattern for five rather different things at 0.10 release:
CoreSchedule::FixedTimestep
until all of the accumulated time has been spent.apply_state_transitions::<S>
exclusive system.CoreSchedule::Outer
and then run our schedules as the sole exclusive system there.Follow the bread crumbs starting at CoreSchedule
and RenderSchedule
for more info.
With a new blessed pattern for complex control flow, we can finally get rid of looping run criteria. ShouldRun::YesAndCheckAgain
was not exactly the most straightforward to reason about, either for engine devs or users. It's always a bad sign when your bool-like enums have four possible values.
If you crave that powerful, complex control flow: use the "schedules in exclusive systems" pattern listed above. For the rest of us: rejoice!
Run criteria have been renamed to the clearer run conditions, which can be constructed out of any read-only system that returns bool
.
// Let's make our own run condition
fn contrived_run_condition(query: Query<&Life, With<Player>>, score: Res<Score>) -> bool{
let player_life = query.single();
if score.0 * player_life > 9000 {
true
}
}
app.add_system(win_game.run_if(contrived_run_condition));
Systems may have any number of run conditions (and inherit them from the sets they belong to), but will only run if all of their run conditions return true
.
Run conditions can serve as a lightweight optimization tool: each one is evaluated only each schedule update, and shared across the system set. Like always though: benchmark!
Finally, courtesy of #7559 and #7605, you can cobble them together to create new run coniditons with the use of the not
, and_then
or or_else
run criteria combinators.
Of course, looping run criteria were a key feature of how Bevy's states worked. With them gone, how does this all work?!
Well, there's a bit of machinery, but it's all straightforward. Here's how Bevy 0.10 makes states work:
S
is stored in the State<S: States>
resource. The pending value is stored in NextState<S: States>
.
NextState<S>
resource.State<S>
resource.
in_state(AppState::InGame)
run condition will only run if the value of the State<AppState>
resource equals AppState::InGame
.apply_state_transitions<S>
exclusive system. When transitioning between states:
OnExit(S::VariantLeft)
schedule for the state you're leaving.OnEnter(S::VariantEntered)
schedule.Schedules
resource, and can be looked up via their ScheduleLabel
.app.add_state:<s>()
:
OnEnter
and an OnExit
schedule for each variant of our state type S
.OnUpdate(S::Variant)
system set to belong to CoreSet::Update
and only run when State<S>
is S::Variant
.apply_state_transitions<S>
to CoreSet::ApplyStateTransitions
.S
using its Default
trait.As a user though, you don't have to worry about those details:
// Setting up our state type.
// Note that each variant of this enum is a distinct state.
#[derive(States, PartialEq, Eq, Debug, Default)]
enum AppState {
InGame,
#[default]
MainMenu
}
app
// Don't forget to initialize the state!
.add_state::<AppState>()
.add_system(load_main_menu.in_schedule(OnEnter(AppState::MainMenu)))
.add_system(start_game.in_set(OnUpdate(AppState::MainMenu)))
.add_system(cleanup_main_menu.in_schedule(OnExit(AppState::MainMenu)))
.add_system(make_game_fun.in_set(OnUpdate(AppState::InGame)));
fn start_game(
button_query: Query<&Interaction, With<StartGameButton>>,
next_state: ResMut<NextState<AppState>>,
){
let start_game_interaction_state = button_query.single();
if start_game_interaction_state == Interaction::Pressed {
*next_state = NextState(AppState::InGame);
}
}
But wait you say: what about my state stack? My elaborate queued transitions?! My meticulous error handling on every operation that I definitely didn't just unwrap?!!
In practice, we found that the state stack was a) very complex to learn b) very prone to exasperating bugs c) mostly ignored.
As a result, states are now "stackless": only one queued state of each type at a time.
Thanks to the help of some brave alpha testers, we're reasonably confident that this shouldn't be too bad to migrate away from.
If you were relying on the state stack, you might choose to:
Now hold on, you're saying that:
Schedule
object with no barriers between them?Won't this lead to utter chaos and tedious spaghetti-flavored work to resolve every last ambiguity? I liked stages, they helped me understand the structure of my app!
Well, I'm glad you asked, rhetorical straw man. To reduce this chaos (and ease migration), Bevy 0.10 comes with a brand new collection of system sets with the default plugins: CoreSet
, StartupSet
and RenderSet
. The similarity of their names to CoreStage
, StartupStage
and RenderStage
is not a coincidence: there are command flush points between each set, and existing systems have been migrated directly.
Some parts of the stage-centric architecture were appealing: a clear high level structure, coordination on flush points (to reduce excessive bottlenecks) and good default behavior.
To keep those bits (while excising the frustrating ones), we've introduced the concept of base sets. Base sets are system sets, except:
// You can add new base sets to any built-in ones
#[derive(Debug, Hash, PartialEq, Eq, Clone, SystemSet)]
#[system_set(base)]
enum MyBaseSet {
Early,
Late,
}
app
// This ends up in CoreSet::Update by default
.add_system(no_base_set)
// You must use .in_base_set rather than .in_set for explicitness
// This is a high-impact decision!
.add_system(post_update.in_base_set(CoreSet::PostUpdate))
// Look, it works!
.add_system(custom_base_set.in_base_set(MyBaseSet::Early))
// Ordering your base sets relative to CoreSet is probably wise
.configure_set(MyBaseSet::Early.before(CoreSet::Update))
.configure_set(MyBaseSet::Late.after(CoreSet::Update));
Pretty simple, but what does this buy us?
First, it gives you a clear hook to impose, reason about and visualize high level structure to your schedule. Yearning for a linear, stage-like design? Just order your base sets!
Secondly, it allows Bevy to set good default behavior for systems added by users, without removing their control.
Let me tell you a story, set in a world where all of Mr. Straw Man's points above are true, and no default set is added.
make_player_run
system to their app.In practice, there are three broad classes of systems: gameplay logic (99% of all end user systems), stuff that needs to happen before gameplay logic (like event cleanup and input handling) and stuff that needs to happen after gameplay logic (like rendering and audio).
By broadly ordering the schedule via base sets, we hope that Bevy apps can have good default behavior and clear high level structure without compromising on the scheduling flexibility and explicitness that advanced users crave.
Let us know how it works out for you!
As part of this work, we've taken the time to listen to our users and fix some small but high-impact things about how scheduling works.
Compare the following options for adding and ordering four systems, one after the other.
#[derive(SystemSet, PartialEq, Eq, Clone, Copy, Hash, Debug)]
#[allow(missing_docs)]
pub enum Step {
A,
B,
C,
D
}
app
.configure_set(Step::A.before(Step::B))
.configure_set(Step::B.before(Step::C))
.configure_set(Step::C.before(Step::D))
.add_system(a.in_set(Step::A))
.add_system(b.in_set(Step::B))
.add_system(c.in_set(Step::C))
.add_system(d.in_set(Step::D));
app
.add_system(a.before(b))
.add_system(b.before(c))
.add_system(c.before(d))
.add_system(d);
app.add_systems((a, b, c, d).chain());
There's another lovely change lurking in that last example: the add_systems
API.
Bevy 0.9:
app
.add_system_set(SystemSet::on_update(AppState::InGame)
.with_system(a.before(b))
.with_system(b.label(MyLabel::Variant))
.with_system(c)
.with_run_criteria(blue_moon)
)
Bevy 0.10:
app.add_systems(
(
a.before(b),
b.in_set(MySet::Variant),
c
)
.run_if(blue_moon)
.in_set(OnUpdate(AppState::InGame))
)
We've also:
SingleThreadedExecutor
for users who prefer alternate parallelization strategies (or simply don't need it)
SimpleExecutor
] and trade performance for convenience to your heart's content.ScheduleBuildSettings
docs for more info. If you haven't tried this out on your app yet: you should take a look!The Bevy ECS team has worked closely with @jakobhellerman
, the author of bevy_mod_debugdump
, the leading third-party schedule visualization plugin, to ensure it keeps working better than ever.
It's a great tool that we are looking to build on to create a first party solution: you should strongly consider adding it to your toolbox.