This example shows how to properly handle player input, advance a physics simulation in a fixed timestep, and display the results.
The classic source for how and why this is done is Glenn Fiedler's article Fix Your Timestep!. For a more Bevy-centric source, see this cheatbook entry.
Motivation
The naive way of moving a player is to just update their position like so:
transform.translation += velocity;
The issue here is that the player's movement speed will be tied to the frame rate. Faster machines will move the player faster, and slower machines will move the player slower. In fact, you can observe this today when running some old games that did it this way on modern hardware! The player will move at a breakneck pace.
The more sophisticated way is to update the player's position based on the time that has passed:
transform.translation += velocity * time.delta_secs();
This way, velocity represents a speed in units per second, and the player will move at the same speed regardless of the frame rate.
However, this can still be problematic if the frame rate is very low or very high. If the frame rate is very low, the player will move in large jumps. This may lead to a player moving in such large jumps that they pass through walls or other obstacles. In general, you cannot expect a physics simulation to behave nicely with any delta time. Ideally, we want to have some stability in what kinds of delta times we feed into our physics simulation.
The solution is using a fixed timestep. This means that we advance the physics simulation by a fixed amount at a time. If the real time that passed between two frames is less than the fixed timestep, we simply don't advance the physics simulation at all. If it is more, we advance the physics simulation multiple times until we catch up. You can read more about how Bevy implements this in the documentation for bevy::time::Fixed.
This leaves us with a last problem, however. If our physics simulation may advance zero or multiple times per frame, there may be frames in which the player's position did not need to be updated at all, and some where it is updated by a large amount that resulted from running the physics simulation multiple times. This is physically correct, but visually jarring. Imagine a player moving in a straight line, but depending on the frame rate, they may sometimes advance by a large amount and sometimes not at all. Visually, we want the player to move smoothly. This is why we need to separate the player's position in the physics simulation from the player's position in the visual representation. The visual representation can then be interpolated smoothly based on the previous and current actual player position in the physics simulation.
This is a tradeoff: every visual frame is now slightly lagging behind the actual physical frame, but in return, the player's movement will appear smooth. There are other ways to compute the visual representation of the player, such as extrapolation. See the documentation of the lightyear crate for a nice overview of the different methods and their respective tradeoffs.
If we decide to use a fixed timestep, our game logic should mostly go in the FixedUpdate schedule. One notable exception is the camera. Cameras should update as often as possible, or the player will very quickly notice choppy movement if it's only updated at the same rate as the physics simulation. So, we use a variable timestep for the camera, updating its transform every frame. The question now is which schedule to use. That depends on whether the camera data is required for the physics simulation to run or not. For example, in 3D games, the camera rotation often determines which direction the player moves when pressing "W", so we need to rotate the camera before the fixed timestep. In contrast, the translation of the camera depends on what the physics simulation has calculated for the player's position. Therefore, we need to update the camera's translation after the fixed timestep. Fortunately, we can get smooth movement by simply using the interpolated player translation for the camera as well.
Implementation
- The player's inputs since the last physics update are stored in the AccumulatedInputcomponent.
- The player's velocity is stored in a Velocitycomponent. This is the speed in units per second.
- The player's current position in the physics simulation is stored in a PhysicalTranslationcomponent.
- The player's previous position in the physics simulation is stored in a PreviousPhysicalTranslationcomponent.
- The player's visual representation is stored in Bevy's regular Transformcomponent.
- Every frame, we go through the following steps:
- Accumulate the player's input and set the current speed in the handle_inputsystem. This is run in theRunFixedMainLoopschedule, ordered inRunFixedMainLoopSystems::BeforeFixedMainLoop, which runs before the fixed timestep loop. This is run every frame.
- Rotate the camera based on the player's input. This is also run in RunFixedMainLoopSystems::BeforeFixedMainLoop.
- Advance the physics simulation by one fixed timestep in the advance_physicssystem. Accumulated input is consumed here. This is run in theFixedUpdateschedule, which runs zero or multiple times per frame.
- Update the player's visual representation in the interpolate_rendered_transformsystem. This interpolates between the player's previous and current position in the physics simulation. It is run in theRunFixedMainLoopschedule, ordered inRunFixedMainLoopSystems::AfterFixedMainLoop, which runs after the fixed timestep loop. This is run every frame.
- Update the camera's translation to the player's interpolated translation. This is also run in RunFixedMainLoopSystems::AfterFixedMainLoop.
Controls
| Key Binding | Action | 
|---|---|
| W | Move up | 
| S | Move down | 
| A | Move left | 
| D | Move right | 
| Mouse | Rotate camera | 
use FRAC_PI_2;
use ;
/// A vector representing the player's input, accumulated over all frames that ran
/// since the last time the physics simulation was advanced.
/// A vector representing the player's velocity in the physics simulation.
;
/// The actual position of the player in the physics simulation.
/// This is separate from the `Transform`, which is merely a visual representation.
///
/// If you want to make sure that this component is always initialized
/// with the same value as the `Transform`'s translation, you can
/// use a [component lifecycle hook](https://docs.rs/bevy/0.14.0/bevy/ecs/component/struct.ComponentHooks.html)
;
/// The value [`PhysicalTranslation`] had in the last fixed timestep.
/// Used for interpolation in the `interpolate_rendered_transform` system.
;
/// Spawn the player and a 3D camera. We could also spawn the camera as a child of the player,
/// but in practice, they are usually spawned separately so that the player's rotation does not
/// influence the camera's rotation.
/// Spawn a field of floating spheres to fly around in
/// Spawn a bit of UI text to explain how to move the player.
;
/// Handle keyboard input and accumulate it in the `AccumulatedInput` component.
///
/// There are many strategies for how to handle all the input that happened since the last fixed timestep.
/// This is a very simple one: we just use the last available input.
/// That strategy works fine for us since the user continuously presses the input keys in this example.
/// If we had some kind of instantaneous action like activating a boost ability, we would need to remember that that input
/// was pressed at some point since the last fixed timestep.
/// A simple resource that tells us whether the fixed timestep ran this frame.
;
/// Reset the flag at the start of every frame.
/// Set the flag during each fixed timestep.
// Clear the input after it was processed in the fixed timestep.
/// Advance the physics simulation by one fixed timestep. This may run zero or multiple times per frame.
///
/// Note that since this runs in `FixedUpdate`, `Res<Time>` would be `Res<Time<Fixed>>` automatically.
/// We are being explicit here for clarity.
// Sync the camera's position with the player's interpolated position