bevy_render/diagnostic/
mod.rs

1//! Infrastructure for recording render diagnostics.
2//!
3//! For more info, see [`RenderDiagnosticsPlugin`].
4
5pub(crate) mod internal;
6
7use alloc::{borrow::Cow, sync::Arc};
8use core::marker::PhantomData;
9
10use bevy_app::{App, Plugin, PreUpdate};
11
12use crate::RenderApp;
13
14use self::internal::{
15    sync_diagnostics, DiagnosticsRecorder, Pass, RenderDiagnosticsMutex, WriteTimestamp,
16};
17
18use super::{RenderDevice, RenderQueue};
19
20/// Enables collecting render diagnostics, such as CPU/GPU elapsed time per render pass,
21/// as well as pipeline statistics (number of primitives, number of shader invocations, etc).
22///
23/// To access the diagnostics, you can use [`DiagnosticsStore`](bevy_diagnostic::DiagnosticsStore) resource,
24/// or add [`LogDiagnosticsPlugin`](bevy_diagnostic::LogDiagnosticsPlugin).
25///
26/// To record diagnostics in your own passes:
27///  1. First, obtain the diagnostic recorder using [`RenderContext::diagnostic_recorder`](crate::renderer::RenderContext::diagnostic_recorder).
28///
29///     It won't do anything unless [`RenderDiagnosticsPlugin`] is present,
30///     so you're free to omit `#[cfg]` clauses.
31///     ```ignore
32///     let diagnostics = render_context.diagnostic_recorder();
33///     ```
34///  2. Begin the span inside a command encoder, or a render/compute pass encoder.
35///     ```ignore
36///     let time_span = diagnostics.time_span(render_context.command_encoder(), "shadows");
37///     ```
38///  3. End the span, providing the same encoder.
39///     ```ignore
40///     time_span.end(render_context.command_encoder());
41///     ```
42///
43/// # Supported platforms
44/// Timestamp queries and pipeline statistics are currently supported only on Vulkan and DX12.
45/// On other platforms (Metal, WebGPU, WebGL2) only CPU time will be recorded.
46#[allow(clippy::doc_markdown)]
47#[derive(Default)]
48pub struct RenderDiagnosticsPlugin;
49
50impl Plugin for RenderDiagnosticsPlugin {
51    fn build(&self, app: &mut App) {
52        let render_diagnostics_mutex = RenderDiagnosticsMutex::default();
53        app.insert_resource(render_diagnostics_mutex.clone())
54            .add_systems(PreUpdate, sync_diagnostics);
55
56        if let Some(render_app) = app.get_sub_app_mut(RenderApp) {
57            render_app.insert_resource(render_diagnostics_mutex);
58        }
59    }
60
61    fn finish(&self, app: &mut App) {
62        let Some(render_app) = app.get_sub_app_mut(RenderApp) else {
63            return;
64        };
65
66        let device = render_app.world().resource::<RenderDevice>();
67        let queue = render_app.world().resource::<RenderQueue>();
68        render_app.insert_resource(DiagnosticsRecorder::new(device, queue));
69    }
70}
71
72/// Allows recording diagnostic spans.
73pub trait RecordDiagnostics: Send + Sync {
74    /// Begin a time span, which will record elapsed CPU and GPU time.
75    ///
76    /// Returns a guard, which will panic on drop unless you end the span.
77    fn time_span<E, N>(&self, encoder: &mut E, name: N) -> TimeSpanGuard<'_, Self, E>
78    where
79        E: WriteTimestamp,
80        N: Into<Cow<'static, str>>,
81    {
82        self.begin_time_span(encoder, name.into());
83        TimeSpanGuard {
84            recorder: self,
85            marker: PhantomData,
86        }
87    }
88
89    /// Begin a pass span, which will record elapsed CPU and GPU time,
90    /// as well as pipeline statistics on supported platforms.
91    ///
92    /// Returns a guard, which will panic on drop unless you end the span.
93    fn pass_span<P, N>(&self, pass: &mut P, name: N) -> PassSpanGuard<'_, Self, P>
94    where
95        P: Pass,
96        N: Into<Cow<'static, str>>,
97    {
98        self.begin_pass_span(pass, name.into());
99        PassSpanGuard {
100            recorder: self,
101            marker: PhantomData,
102        }
103    }
104
105    #[doc(hidden)]
106    fn begin_time_span<E: WriteTimestamp>(&self, encoder: &mut E, name: Cow<'static, str>);
107
108    #[doc(hidden)]
109    fn end_time_span<E: WriteTimestamp>(&self, encoder: &mut E);
110
111    #[doc(hidden)]
112    fn begin_pass_span<P: Pass>(&self, pass: &mut P, name: Cow<'static, str>);
113
114    #[doc(hidden)]
115    fn end_pass_span<P: Pass>(&self, pass: &mut P);
116}
117
118/// Guard returned by [`RecordDiagnostics::time_span`].
119///
120/// Will panic on drop unless [`TimeSpanGuard::end`] is called.
121pub struct TimeSpanGuard<'a, R: ?Sized, E> {
122    recorder: &'a R,
123    marker: PhantomData<E>,
124}
125
126impl<R: RecordDiagnostics + ?Sized, E: WriteTimestamp> TimeSpanGuard<'_, R, E> {
127    /// End the span. You have to provide the same encoder which was used to begin the span.
128    pub fn end(self, encoder: &mut E) {
129        self.recorder.end_time_span(encoder);
130        core::mem::forget(self);
131    }
132}
133
134impl<R: ?Sized, E> Drop for TimeSpanGuard<'_, R, E> {
135    fn drop(&mut self) {
136        panic!("TimeSpanScope::end was never called")
137    }
138}
139
140/// Guard returned by [`RecordDiagnostics::pass_span`].
141///
142/// Will panic on drop unless [`PassSpanGuard::end`] is called.
143pub struct PassSpanGuard<'a, R: ?Sized, P> {
144    recorder: &'a R,
145    marker: PhantomData<P>,
146}
147
148impl<R: RecordDiagnostics + ?Sized, P: Pass> PassSpanGuard<'_, R, P> {
149    /// End the span. You have to provide the same encoder which was used to begin the span.
150    pub fn end(self, pass: &mut P) {
151        self.recorder.end_pass_span(pass);
152        core::mem::forget(self);
153    }
154}
155
156impl<R: ?Sized, P> Drop for PassSpanGuard<'_, R, P> {
157    fn drop(&mut self) {
158        panic!("PassSpanScope::end was never called")
159    }
160}
161
162impl<T: RecordDiagnostics> RecordDiagnostics for Option<Arc<T>> {
163    fn begin_time_span<E: WriteTimestamp>(&self, encoder: &mut E, name: Cow<'static, str>) {
164        if let Some(recorder) = &self {
165            recorder.begin_time_span(encoder, name);
166        }
167    }
168
169    fn end_time_span<E: WriteTimestamp>(&self, encoder: &mut E) {
170        if let Some(recorder) = &self {
171            recorder.end_time_span(encoder);
172        }
173    }
174
175    fn begin_pass_span<P: Pass>(&self, pass: &mut P, name: Cow<'static, str>) {
176        if let Some(recorder) = &self {
177            recorder.begin_pass_span(pass, name);
178        }
179    }
180
181    fn end_pass_span<P: Pass>(&self, pass: &mut P) {
182        if let Some(recorder) = &self {
183            recorder.end_pass_span(pass);
184        }
185    }
186}