Book a Demo!
CoCalc Logo Icon
StoreFeaturesDocsShareSupportNewsAboutPoliciesSign UpSign In
bevyengine
GitHub Repository: bevyengine/bevy
Path: blob/main/crates/bevy_render/src/view/window/mod.rs
6598 views
1
use crate::renderer::WgpuWrapper;
2
use crate::{
3
render_resource::{SurfaceTexture, TextureView},
4
renderer::{RenderAdapter, RenderDevice, RenderInstance},
5
Extract, ExtractSchedule, Render, RenderApp, RenderSystems,
6
};
7
use bevy_app::{App, Plugin};
8
use bevy_ecs::{entity::EntityHashMap, prelude::*};
9
use bevy_platform::collections::HashSet;
10
use bevy_utils::default;
11
use bevy_window::{
12
CompositeAlphaMode, PresentMode, PrimaryWindow, RawHandleWrapper, Window, WindowClosing,
13
};
14
use core::{
15
num::NonZero,
16
ops::{Deref, DerefMut},
17
};
18
use tracing::{debug, warn};
19
use wgpu::{
20
SurfaceConfiguration, SurfaceTargetUnsafe, TextureFormat, TextureUsages, TextureViewDescriptor,
21
};
22
23
pub mod screenshot;
24
25
use screenshot::ScreenshotPlugin;
26
27
pub struct WindowRenderPlugin;
28
29
impl Plugin for WindowRenderPlugin {
30
fn build(&self, app: &mut App) {
31
app.add_plugins(ScreenshotPlugin);
32
33
if let Some(render_app) = app.get_sub_app_mut(RenderApp) {
34
render_app
35
.init_resource::<ExtractedWindows>()
36
.init_resource::<WindowSurfaces>()
37
.add_systems(ExtractSchedule, extract_windows)
38
.add_systems(
39
Render,
40
create_surfaces
41
.run_if(need_surface_configuration)
42
.before(prepare_windows),
43
)
44
.add_systems(Render, prepare_windows.in_set(RenderSystems::ManageViews));
45
}
46
}
47
}
48
49
pub struct ExtractedWindow {
50
/// An entity that contains the components in [`Window`].
51
pub entity: Entity,
52
pub handle: RawHandleWrapper,
53
pub physical_width: u32,
54
pub physical_height: u32,
55
pub present_mode: PresentMode,
56
pub desired_maximum_frame_latency: Option<NonZero<u32>>,
57
/// Note: this will not always be the swap chain texture view. When taking a screenshot,
58
/// this will point to an alternative texture instead to allow for copying the render result
59
/// to CPU memory.
60
pub swap_chain_texture_view: Option<TextureView>,
61
pub swap_chain_texture: Option<SurfaceTexture>,
62
pub swap_chain_texture_format: Option<TextureFormat>,
63
pub size_changed: bool,
64
pub present_mode_changed: bool,
65
pub alpha_mode: CompositeAlphaMode,
66
}
67
68
impl ExtractedWindow {
69
fn set_swapchain_texture(&mut self, frame: wgpu::SurfaceTexture) {
70
let texture_view_descriptor = TextureViewDescriptor {
71
format: Some(frame.texture.format().add_srgb_suffix()),
72
..default()
73
};
74
self.swap_chain_texture_view = Some(TextureView::from(
75
frame.texture.create_view(&texture_view_descriptor),
76
));
77
self.swap_chain_texture = Some(SurfaceTexture::from(frame));
78
}
79
}
80
81
#[derive(Default, Resource)]
82
pub struct ExtractedWindows {
83
pub primary: Option<Entity>,
84
pub windows: EntityHashMap<ExtractedWindow>,
85
}
86
87
impl Deref for ExtractedWindows {
88
type Target = EntityHashMap<ExtractedWindow>;
89
90
fn deref(&self) -> &Self::Target {
91
&self.windows
92
}
93
}
94
95
impl DerefMut for ExtractedWindows {
96
fn deref_mut(&mut self) -> &mut Self::Target {
97
&mut self.windows
98
}
99
}
100
101
fn extract_windows(
102
mut extracted_windows: ResMut<ExtractedWindows>,
103
mut closing: Extract<EventReader<WindowClosing>>,
104
windows: Extract<Query<(Entity, &Window, &RawHandleWrapper, Option<&PrimaryWindow>)>>,
105
mut removed: Extract<RemovedComponents<RawHandleWrapper>>,
106
mut window_surfaces: ResMut<WindowSurfaces>,
107
) {
108
for (entity, window, handle, primary) in windows.iter() {
109
if primary.is_some() {
110
extracted_windows.primary = Some(entity);
111
}
112
113
let (new_width, new_height) = (
114
window.resolution.physical_width().max(1),
115
window.resolution.physical_height().max(1),
116
);
117
118
let extracted_window = extracted_windows.entry(entity).or_insert(ExtractedWindow {
119
entity,
120
handle: handle.clone(),
121
physical_width: new_width,
122
physical_height: new_height,
123
present_mode: window.present_mode,
124
desired_maximum_frame_latency: window.desired_maximum_frame_latency,
125
swap_chain_texture: None,
126
swap_chain_texture_view: None,
127
size_changed: false,
128
swap_chain_texture_format: None,
129
present_mode_changed: false,
130
alpha_mode: window.composite_alpha_mode,
131
});
132
133
// NOTE: Drop the swap chain frame here
134
extracted_window.swap_chain_texture_view = None;
135
extracted_window.size_changed = new_width != extracted_window.physical_width
136
|| new_height != extracted_window.physical_height;
137
extracted_window.present_mode_changed =
138
window.present_mode != extracted_window.present_mode;
139
140
if extracted_window.size_changed {
141
debug!(
142
"Window size changed from {}x{} to {}x{}",
143
extracted_window.physical_width,
144
extracted_window.physical_height,
145
new_width,
146
new_height
147
);
148
extracted_window.physical_width = new_width;
149
extracted_window.physical_height = new_height;
150
}
151
152
if extracted_window.present_mode_changed {
153
debug!(
154
"Window Present Mode changed from {:?} to {:?}",
155
extracted_window.present_mode, window.present_mode
156
);
157
extracted_window.present_mode = window.present_mode;
158
}
159
}
160
161
for closing_window in closing.read() {
162
extracted_windows.remove(&closing_window.window);
163
window_surfaces.remove(&closing_window.window);
164
}
165
for removed_window in removed.read() {
166
extracted_windows.remove(&removed_window);
167
window_surfaces.remove(&removed_window);
168
}
169
}
170
171
struct SurfaceData {
172
// TODO: what lifetime should this be?
173
surface: WgpuWrapper<wgpu::Surface<'static>>,
174
configuration: SurfaceConfiguration,
175
}
176
177
#[derive(Resource, Default)]
178
pub struct WindowSurfaces {
179
surfaces: EntityHashMap<SurfaceData>,
180
/// List of windows that we have already called the initial `configure_surface` for
181
configured_windows: HashSet<Entity>,
182
}
183
184
impl WindowSurfaces {
185
fn remove(&mut self, window: &Entity) {
186
self.surfaces.remove(window);
187
self.configured_windows.remove(window);
188
}
189
}
190
191
/// (re)configures window surfaces, and obtains a swapchain texture for rendering.
192
///
193
/// NOTE: `get_current_texture` in `prepare_windows` can take a long time if the GPU workload is
194
/// the performance bottleneck. This can be seen in profiles as multiple prepare-set systems all
195
/// taking an unusually long time to complete, and all finishing at about the same time as the
196
/// `prepare_windows` system. Improvements in bevy are planned to avoid this happening when it
197
/// should not but it will still happen as it is easy for a user to create a large GPU workload
198
/// relative to the GPU performance and/or CPU workload.
199
/// This can be caused by many reasons, but several of them are:
200
/// - GPU workload is more than your current GPU can manage
201
/// - Error / performance bug in your custom shaders
202
/// - wgpu was unable to detect a proper GPU hardware-accelerated device given the chosen
203
/// [`Backends`](crate::settings::Backends), [`WgpuLimits`](crate::settings::WgpuLimits),
204
/// and/or [`WgpuFeatures`](crate::settings::WgpuFeatures). For example, on Windows currently
205
/// `DirectX 11` is not supported by wgpu 0.12 and so if your GPU/drivers do not support Vulkan,
206
/// it may be that a software renderer called "Microsoft Basic Render Driver" using `DirectX 12`
207
/// will be chosen and performance will be very poor. This is visible in a log message that is
208
/// output during renderer initialization.
209
/// Another alternative is to try to use [`ANGLE`](https://github.com/gfx-rs/wgpu#angle) and
210
/// [`Backends::GL`](crate::settings::Backends::GL) with the `gles` feature enabled if your
211
/// GPU/drivers support `OpenGL 4.3` / `OpenGL ES 3.0` or later.
212
pub fn prepare_windows(
213
mut windows: ResMut<ExtractedWindows>,
214
mut window_surfaces: ResMut<WindowSurfaces>,
215
render_device: Res<RenderDevice>,
216
#[cfg(target_os = "linux")] render_instance: Res<RenderInstance>,
217
) {
218
for window in windows.windows.values_mut() {
219
let window_surfaces = window_surfaces.deref_mut();
220
let Some(surface_data) = window_surfaces.surfaces.get(&window.entity) else {
221
continue;
222
};
223
224
// A recurring issue is hitting `wgpu::SurfaceError::Timeout` on certain Linux
225
// mesa driver implementations. This seems to be a quirk of some drivers.
226
// We'd rather keep panicking when not on Linux mesa, because in those case,
227
// the `Timeout` is still probably the symptom of a degraded unrecoverable
228
// application state.
229
// see https://github.com/bevyengine/bevy/pull/5957
230
// and https://github.com/gfx-rs/wgpu/issues/1218
231
#[cfg(target_os = "linux")]
232
let may_erroneously_timeout = || {
233
render_instance
234
.enumerate_adapters(wgpu::Backends::VULKAN)
235
.iter()
236
.any(|adapter| {
237
let name = adapter.get_info().name;
238
name.starts_with("Radeon")
239
|| name.starts_with("AMD")
240
|| name.starts_with("Intel")
241
})
242
};
243
244
let surface = &surface_data.surface;
245
match surface.get_current_texture() {
246
Ok(frame) => {
247
window.set_swapchain_texture(frame);
248
}
249
Err(wgpu::SurfaceError::Outdated) => {
250
render_device.configure_surface(surface, &surface_data.configuration);
251
let frame = match surface.get_current_texture() {
252
Ok(frame) => frame,
253
Err(err) => {
254
// This is a common occurrence on X11 and Xwayland with NVIDIA drivers
255
// when opening and resizing the window.
256
warn!("Couldn't get swap chain texture after configuring. Cause: '{err}'");
257
continue;
258
}
259
};
260
window.set_swapchain_texture(frame);
261
}
262
#[cfg(target_os = "linux")]
263
Err(wgpu::SurfaceError::Timeout) if may_erroneously_timeout() => {
264
tracing::trace!(
265
"Couldn't get swap chain texture. This is probably a quirk \
266
of your Linux GPU driver, so it can be safely ignored."
267
);
268
}
269
Err(err) => {
270
panic!("Couldn't get swap chain texture, operation unrecoverable: {err}");
271
}
272
}
273
window.swap_chain_texture_format = Some(surface_data.configuration.format);
274
}
275
}
276
277
pub fn need_surface_configuration(
278
windows: Res<ExtractedWindows>,
279
window_surfaces: Res<WindowSurfaces>,
280
) -> bool {
281
for window in windows.windows.values() {
282
if !window_surfaces.configured_windows.contains(&window.entity)
283
|| window.size_changed
284
|| window.present_mode_changed
285
{
286
return true;
287
}
288
}
289
false
290
}
291
292
// 2 is wgpu's default/what we've been using so far.
293
// 1 is the minimum, but may cause lower framerates due to the cpu waiting for the gpu to finish
294
// all work for the previous frame before starting work on the next frame, which then means the gpu
295
// has to wait for the cpu to finish to start on the next frame.
296
const DEFAULT_DESIRED_MAXIMUM_FRAME_LATENCY: u32 = 2;
297
298
/// Creates window surfaces.
299
pub fn create_surfaces(
300
// By accessing a NonSend resource, we tell the scheduler to put this system on the main thread,
301
// which is necessary for some OS's
302
#[cfg(any(target_os = "macos", target_os = "ios"))] _marker: bevy_ecs::system::NonSendMarker,
303
windows: Res<ExtractedWindows>,
304
mut window_surfaces: ResMut<WindowSurfaces>,
305
render_instance: Res<RenderInstance>,
306
render_adapter: Res<RenderAdapter>,
307
render_device: Res<RenderDevice>,
308
) {
309
for window in windows.windows.values() {
310
let data = window_surfaces
311
.surfaces
312
.entry(window.entity)
313
.or_insert_with(|| {
314
let surface_target = SurfaceTargetUnsafe::RawHandle {
315
raw_display_handle: window.handle.get_display_handle(),
316
raw_window_handle: window.handle.get_window_handle(),
317
};
318
// SAFETY: The window handles in ExtractedWindows will always be valid objects to create surfaces on
319
let surface = unsafe {
320
// NOTE: On some OSes this MUST be called from the main thread.
321
// As of wgpu 0.15, only fallible if the given window is a HTML canvas and obtaining a WebGPU or WebGL2 context fails.
322
render_instance
323
.create_surface_unsafe(surface_target)
324
.expect("Failed to create wgpu surface")
325
};
326
let caps = surface.get_capabilities(&render_adapter);
327
let formats = caps.formats;
328
// For future HDR output support, we'll need to request a format that supports HDR,
329
// but as of wgpu 0.15 that is not yet supported.
330
// Prefer sRGB formats for surfaces, but fall back to first available format if no sRGB formats are available.
331
let mut format = *formats.first().expect("No supported formats for surface");
332
for available_format in formats {
333
// Rgba8UnormSrgb and Bgra8UnormSrgb and the only sRGB formats wgpu exposes that we can use for surfaces.
334
if available_format == TextureFormat::Rgba8UnormSrgb
335
|| available_format == TextureFormat::Bgra8UnormSrgb
336
{
337
format = available_format;
338
break;
339
}
340
}
341
342
let configuration = SurfaceConfiguration {
343
format,
344
width: window.physical_width,
345
height: window.physical_height,
346
usage: TextureUsages::RENDER_ATTACHMENT,
347
present_mode: match window.present_mode {
348
PresentMode::Fifo => wgpu::PresentMode::Fifo,
349
PresentMode::FifoRelaxed => wgpu::PresentMode::FifoRelaxed,
350
PresentMode::Mailbox => wgpu::PresentMode::Mailbox,
351
PresentMode::Immediate => wgpu::PresentMode::Immediate,
352
PresentMode::AutoVsync => wgpu::PresentMode::AutoVsync,
353
PresentMode::AutoNoVsync => wgpu::PresentMode::AutoNoVsync,
354
},
355
desired_maximum_frame_latency: window
356
.desired_maximum_frame_latency
357
.map(NonZero::<u32>::get)
358
.unwrap_or(DEFAULT_DESIRED_MAXIMUM_FRAME_LATENCY),
359
alpha_mode: match window.alpha_mode {
360
CompositeAlphaMode::Auto => wgpu::CompositeAlphaMode::Auto,
361
CompositeAlphaMode::Opaque => wgpu::CompositeAlphaMode::Opaque,
362
CompositeAlphaMode::PreMultiplied => {
363
wgpu::CompositeAlphaMode::PreMultiplied
364
}
365
CompositeAlphaMode::PostMultiplied => {
366
wgpu::CompositeAlphaMode::PostMultiplied
367
}
368
CompositeAlphaMode::Inherit => wgpu::CompositeAlphaMode::Inherit,
369
},
370
view_formats: if !format.is_srgb() {
371
vec![format.add_srgb_suffix()]
372
} else {
373
vec![]
374
},
375
};
376
377
render_device.configure_surface(&surface, &configuration);
378
379
SurfaceData {
380
surface: WgpuWrapper::new(surface),
381
configuration,
382
}
383
});
384
385
if window.size_changed || window.present_mode_changed {
386
data.configuration.width = window.physical_width;
387
data.configuration.height = window.physical_height;
388
data.configuration.present_mode = match window.present_mode {
389
PresentMode::Fifo => wgpu::PresentMode::Fifo,
390
PresentMode::FifoRelaxed => wgpu::PresentMode::FifoRelaxed,
391
PresentMode::Mailbox => wgpu::PresentMode::Mailbox,
392
PresentMode::Immediate => wgpu::PresentMode::Immediate,
393
PresentMode::AutoVsync => wgpu::PresentMode::AutoVsync,
394
PresentMode::AutoNoVsync => wgpu::PresentMode::AutoNoVsync,
395
};
396
render_device.configure_surface(&data.surface, &data.configuration);
397
}
398
399
window_surfaces.configured_windows.insert(window.entity);
400
}
401
}
402
403