Skip to content

Commit 6381c14

Browse files
cartjames7132
authored andcommitted
Camera Driven Rendering (bevyengine#4745)
This adds "high level camera driven rendering" to Bevy. The goal is to give users more control over what gets rendered (and where) without needing to deal with render logic. This will make scenarios like "render to texture", "multiple windows", "split screen", "2d on 3d", "3d on 2d", "pass layering", and more significantly easier. Here is an [example of a 2d render sandwiched between two 3d renders (each from a different perspective)](https://gist.github.com/cart/4fe56874b2e53bc5594a182fc76f4915): ![image](https://user-images.githubusercontent.com/2694663/168411086-af13dec8-0093-4a84-bdd4-d4362d850ffa.png) Users can now spawn a camera, point it at a RenderTarget (a texture or a window), and it will "just work". Rendering to a second window is as simple as spawning a second camera and assigning it to a specific window id: ```rust // main camera (main window) commands.spawn_bundle(Camera2dBundle::default()); // second camera (other window) commands.spawn_bundle(Camera2dBundle { camera: Camera { target: RenderTarget::Window(window_id), ..default() }, ..default() }); ``` Rendering to a texture is as simple as pointing the camera at a texture: ```rust commands.spawn_bundle(Camera2dBundle { camera: Camera { target: RenderTarget::Texture(image_handle), ..default() }, ..default() }); ``` Cameras now have a "render priority", which controls the order they are drawn in. If you want to use a camera's output texture as a texture in the main pass, just set the priority to a number lower than the main pass camera (which defaults to `0`). ```rust // main pass camera with a default priority of 0 commands.spawn_bundle(Camera2dBundle::default()); commands.spawn_bundle(Camera2dBundle { camera: Camera { target: RenderTarget::Texture(image_handle.clone()), priority: -1, ..default() }, ..default() }); commands.spawn_bundle(SpriteBundle { texture: image_handle, ..default() }) ``` Priority can also be used to layer to cameras on top of each other for the same RenderTarget. This is what "2d on top of 3d" looks like in the new system: ```rust commands.spawn_bundle(Camera3dBundle::default()); commands.spawn_bundle(Camera2dBundle { camera: Camera { // this will render 2d entities "on top" of the default 3d camera's render priority: 1, ..default() }, ..default() }); ``` There is no longer the concept of a global "active camera". Resources like `ActiveCamera<Camera2d>` and `ActiveCamera<Camera3d>` have been replaced with the camera-specific `Camera::is_active` field. This does put the onus on users to manage which cameras should be active. Cameras are now assigned a single render graph as an "entry point", which is configured on each camera entity using the new `CameraRenderGraph` component. The old `PerspectiveCameraBundle` and `OrthographicCameraBundle` (generic on camera marker components like Camera2d and Camera3d) have been replaced by `Camera3dBundle` and `Camera2dBundle`, which set 3d and 2d default values for the `CameraRenderGraph` and projections. ```rust // old 3d perspective camera commands.spawn_bundle(PerspectiveCameraBundle::default()) // new 3d perspective camera commands.spawn_bundle(Camera3dBundle::default()) ``` ```rust // old 2d orthographic camera commands.spawn_bundle(OrthographicCameraBundle::new_2d()) // new 2d orthographic camera commands.spawn_bundle(Camera2dBundle::default()) ``` ```rust // old 3d orthographic camera commands.spawn_bundle(OrthographicCameraBundle::new_3d()) // new 3d orthographic camera commands.spawn_bundle(Camera3dBundle { projection: OrthographicProjection { scale: 3.0, scaling_mode: ScalingMode::FixedVertical, ..default() }.into(), ..default() }) ``` Note that `Camera3dBundle` now uses a new `Projection` enum instead of hard coding the projection into the type. There are a number of motivators for this change: the render graph is now a part of the bundle, the way "generic bundles" work in the rust type system prevents nice `..default()` syntax, and changing projections at runtime is much easier with an enum (ex for editor scenarios). I'm open to discussing this choice, but I'm relatively certain we will all come to the same conclusion here. Camera2dBundle and Camera3dBundle are much clearer than being generic on marker components / using non-default constructors. If you want to run a custom render graph on a camera, just set the `CameraRenderGraph` component: ```rust commands.spawn_bundle(Camera3dBundle { camera_render_graph: CameraRenderGraph::new(some_render_graph_name), ..default() }) ``` Just note that if the graph requires data from specific components to work (such as `Camera3d` config, which is provided in the `Camera3dBundle`), make sure the relevant components have been added. Speaking of using components to configure graphs / passes, there are a number of new configuration options: ```rust commands.spawn_bundle(Camera3dBundle { camera_3d: Camera3d { // overrides the default global clear color clear_color: ClearColorConfig::Custom(Color::RED), ..default() }, ..default() }) commands.spawn_bundle(Camera3dBundle { camera_3d: Camera3d { // disables clearing clear_color: ClearColorConfig::None, ..default() }, ..default() }) ``` Expect to see more of the "graph configuration Components on Cameras" pattern in the future. By popular demand, UI no longer requires a dedicated camera. `UiCameraBundle` has been removed. `Camera2dBundle` and `Camera3dBundle` now both default to rendering UI as part of their own render graphs. To disable UI rendering for a camera, disable it using the CameraUi component: ```rust commands .spawn_bundle(Camera3dBundle::default()) .insert(CameraUi { is_enabled: false, ..default() }) ``` ## Other Changes * The separate clear pass has been removed. We should revisit this for things like sky rendering, but I think this PR should "keep it simple" until we're ready to properly support that (for code complexity and performance reasons). We can come up with the right design for a modular clear pass in a followup pr. * I reorganized bevy_core_pipeline into Core2dPlugin and Core3dPlugin (and core_2d / core_3d modules). Everything is pretty much the same as before, just logically separate. I've moved relevant types (like Camera2d, Camera3d, Camera3dBundle, Camera2dBundle) into their relevant modules, which is what motivated this reorganization. * I adapted the `scene_viewer` example (which relied on the ActiveCameras behavior) to the new system. I also refactored bits and pieces to be a bit simpler. * All of the examples have been ported to the new camera approach. `render_to_texture` and `multiple_windows` are now _much_ simpler. I removed `two_passes` because it is less relevant with the new approach. If someone wants to add a new "layered custom pass with CameraRenderGraph" example, that might fill a similar niche. But I don't feel much pressure to add that in this pr. * Cameras now have `target_logical_size` and `target_physical_size` fields, which makes finding the size of a camera's render target _much_ simpler. As a result, the `Assets<Image>` and `Windows` parameters were removed from `Camera::world_to_screen`, making that operation much more ergonomic. * Render order ambiguities between cameras with the same target and the same priority now produce a warning. This accomplishes two goals: 1. Now that there is no "global" active camera, by default spawning two cameras will result in two renders (one covering the other). This would be a silent performance killer that would be hard to detect after the fact. By detecting ambiguities, we can provide a helpful warning when this occurs. 2. Render order ambiguities could result in unexpected / unpredictable render results. Resolving them makes sense. ## Follow Up Work * Per-Camera viewports, which will make it possible to render to a smaller area inside of a RenderTarget (great for something like splitscreen) * Camera-specific MSAA config (should use the same "overriding" pattern used for ClearColor) * Graph Based Camera Ordering: priorities are simple, but they make complicated ordering constraints harder to express. We should consider adopting a "graph based" camera ordering model with "before" and "after" relationships to other cameras (or build it "on top" of the priority system). * Consider allowing graphs to run subgraphs from any nest level (aka a global namespace for graphs). Right now the 2d and 3d graphs each need their own UI subgraph, which feels "fine" in the short term. But being able to share subgraphs between other subgraphs seems valuable. * Consider splitting `bevy_core_pipeline` into `bevy_core_2d` and `bevy_core_3d` packages. Theres a shared "clear color" dependency here, which would need a new home.
1 parent ddadba5 commit 6381c14

File tree

120 files changed

+1537
-1742
lines changed

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

120 files changed

+1537
-1742
lines changed

crates/bevy_core_pipeline/Cargo.toml

Lines changed: 5 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -19,7 +19,12 @@ trace = []
1919
# bevy
2020
bevy_app = { path = "../bevy_app", version = "0.8.0-dev" }
2121
bevy_asset = { path = "../bevy_asset", version = "0.8.0-dev" }
22+
bevy_derive = { path = "../bevy_derive", version = "0.8.0-dev" }
2223
bevy_ecs = { path = "../bevy_ecs", version = "0.8.0-dev" }
24+
bevy_reflect = { path = "../bevy_reflect", version = "0.8.0-dev" }
2325
bevy_render = { path = "../bevy_render", version = "0.8.0-dev" }
26+
bevy_transform = { path = "../bevy_transform", version = "0.8.0-dev" }
2427
bevy_utils = { path = "../bevy_utils", version = "0.8.0-dev" }
2528

29+
serde = { version = "1", features = ["derive"] }
30+
Lines changed: 32 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,32 @@
1+
use bevy_derive::{Deref, DerefMut};
2+
use bevy_ecs::prelude::*;
3+
use bevy_reflect::{Reflect, ReflectDeserialize};
4+
use bevy_render::{color::Color, extract_resource::ExtractResource};
5+
use serde::{Deserialize, Serialize};
6+
7+
#[derive(Reflect, Serialize, Deserialize, Clone, Debug)]
8+
#[reflect_value(Serialize, Deserialize)]
9+
pub enum ClearColorConfig {
10+
Default,
11+
Custom(Color),
12+
None,
13+
}
14+
15+
impl Default for ClearColorConfig {
16+
fn default() -> Self {
17+
ClearColorConfig::Default
18+
}
19+
}
20+
21+
/// When used as a resource, sets the color that is used to clear the screen between frames.
22+
///
23+
/// This color appears as the "background" color for simple apps, when
24+
/// there are portions of the screen with nothing rendered.
25+
#[derive(Component, Clone, Debug, Deref, DerefMut, ExtractResource)]
26+
pub struct ClearColor(pub Color);
27+
28+
impl Default for ClearColor {
29+
fn default() -> Self {
30+
Self(Color::rgb(0.4, 0.4, 0.4))
31+
}
32+
}

crates/bevy_core_pipeline/src/clear_pass.rs

Lines changed: 0 additions & 128 deletions
This file was deleted.

crates/bevy_core_pipeline/src/clear_pass_driver.rs

Lines changed: 0 additions & 20 deletions
This file was deleted.
Lines changed: 82 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,82 @@
1+
use crate::clear_color::ClearColorConfig;
2+
use bevy_ecs::{prelude::*, query::QueryItem};
3+
use bevy_reflect::Reflect;
4+
use bevy_render::{
5+
camera::{
6+
Camera, CameraProjection, CameraRenderGraph, DepthCalculation, OrthographicProjection,
7+
},
8+
extract_component::ExtractComponent,
9+
primitives::Frustum,
10+
view::VisibleEntities,
11+
};
12+
use bevy_transform::prelude::{GlobalTransform, Transform};
13+
14+
#[derive(Component, Default, Reflect, Clone)]
15+
#[reflect(Component)]
16+
pub struct Camera2d {
17+
pub clear_color: ClearColorConfig,
18+
}
19+
20+
impl ExtractComponent for Camera2d {
21+
type Query = &'static Self;
22+
type Filter = With<Camera>;
23+
24+
fn extract_component(item: QueryItem<Self::Query>) -> Self {
25+
item.clone()
26+
}
27+
}
28+
29+
#[derive(Bundle)]
30+
pub struct Camera2dBundle {
31+
pub camera: Camera,
32+
pub camera_render_graph: CameraRenderGraph,
33+
pub projection: OrthographicProjection,
34+
pub visible_entities: VisibleEntities,
35+
pub frustum: Frustum,
36+
pub transform: Transform,
37+
pub global_transform: GlobalTransform,
38+
pub camera_2d: Camera2d,
39+
}
40+
41+
impl Default for Camera2dBundle {
42+
fn default() -> Self {
43+
Self::new_with_far(1000.0)
44+
}
45+
}
46+
47+
impl Camera2dBundle {
48+
/// Create an orthographic projection camera with a custom Z position.
49+
///
50+
/// The camera is placed at `Z=far-0.1`, looking toward the world origin `(0,0,0)`.
51+
/// Its orthographic projection extends from `0.0` to `-far` in camera view space,
52+
/// corresponding to `Z=far-0.1` (closest to camera) to `Z=-0.1` (furthest away from
53+
/// camera) in world space.
54+
pub fn new_with_far(far: f32) -> Self {
55+
// we want 0 to be "closest" and +far to be "farthest" in 2d, so we offset
56+
// the camera's translation by far and use a right handed coordinate system
57+
let projection = OrthographicProjection {
58+
far,
59+
depth_calculation: DepthCalculation::ZDifference,
60+
..Default::default()
61+
};
62+
let transform = Transform::from_xyz(0.0, 0.0, far - 0.1);
63+
let view_projection =
64+
projection.get_projection_matrix() * transform.compute_matrix().inverse();
65+
let frustum = Frustum::from_view_projection(
66+
&view_projection,
67+
&transform.translation,
68+
&transform.back(),
69+
projection.far(),
70+
);
71+
Self {
72+
camera_render_graph: CameraRenderGraph::new(crate::core_2d::graph::NAME),
73+
projection,
74+
visible_entities: VisibleEntities::default(),
75+
frustum,
76+
transform,
77+
global_transform: Default::default(),
78+
camera: Camera::default(),
79+
camera_2d: Camera2d::default(),
80+
}
81+
}
82+
}

crates/bevy_core_pipeline/src/main_pass_2d.rs renamed to crates/bevy_core_pipeline/src/core_2d/main_pass_2d_node.rs

Lines changed: 27 additions & 14 deletions
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,7 @@
1-
use crate::Transparent2d;
1+
use crate::{
2+
clear_color::{ClearColor, ClearColorConfig},
3+
core_2d::{camera_2d::Camera2d, Transparent2d},
4+
};
25
use bevy_ecs::prelude::*;
36
use bevy_render::{
47
render_graph::{Node, NodeRunError, RenderGraphContext, SlotInfo, SlotType},
@@ -9,16 +12,22 @@ use bevy_render::{
912
};
1013

1114
pub struct MainPass2dNode {
12-
query:
13-
QueryState<(&'static RenderPhase<Transparent2d>, &'static ViewTarget), With<ExtractedView>>,
15+
query: QueryState<
16+
(
17+
&'static RenderPhase<Transparent2d>,
18+
&'static ViewTarget,
19+
&'static Camera2d,
20+
),
21+
With<ExtractedView>,
22+
>,
1423
}
1524

1625
impl MainPass2dNode {
1726
pub const IN_VIEW: &'static str = "view";
1827

1928
pub fn new(world: &mut World) -> Self {
2029
Self {
21-
query: QueryState::new(world),
30+
query: world.query_filtered(),
2231
}
2332
}
2433
}
@@ -39,20 +48,24 @@ impl Node for MainPass2dNode {
3948
world: &World,
4049
) -> Result<(), NodeRunError> {
4150
let view_entity = graph.get_input_entity(Self::IN_VIEW)?;
42-
// If there is no view entity, do not try to process the render phase for the view
43-
let (transparent_phase, target) = match self.query.get_manual(world, view_entity) {
44-
Ok(it) => it,
45-
_ => return Ok(()),
46-
};
47-
48-
if transparent_phase.items.is_empty() {
49-
return Ok(());
50-
}
51+
let (transparent_phase, target, camera_2d) =
52+
if let Ok(result) = self.query.get_manual(world, view_entity) {
53+
result
54+
} else {
55+
// no target
56+
return Ok(());
57+
};
5158

5259
let pass_descriptor = RenderPassDescriptor {
5360
label: Some("main_pass_2d"),
5461
color_attachments: &[target.get_color_attachment(Operations {
55-
load: LoadOp::Load,
62+
load: match camera_2d.clear_color {
63+
ClearColorConfig::Default => {
64+
LoadOp::Clear(world.resource::<ClearColor>().0.into())
65+
}
66+
ClearColorConfig::Custom(color) => LoadOp::Clear(color.into()),
67+
ClearColorConfig::None => LoadOp::Load,
68+
},
5669
store: true,
5770
})],
5871
depth_stencil_attachment: None,

0 commit comments

Comments
 (0)