1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643
//! Windowing system interoperability //! //! Screen presentation (fullscreen or window) of images requires two objects: //! //! * [Surface](window::Surface) is the host abstraction of the native screen //! * [Swapchain](window::Swapchain) is the device abstraction for a surface, containing multiple presentable images //! //! ## Window //! //! // DOC TODO //! //! ## Surface //! //! // DOC TODO //! //! ## Swapchain //! //! The most interesting part of a swapchain are the contained presentable images/backbuffers. //! Presentable images are specialized images, which can be presented on the screen. They are //! 2D color images with optionally associated depth-stencil images. //! //! The common steps for presentation of a frame are acquisition and presentation: //! //! ```no_run //! # extern crate gfx_backend_empty as empty; //! # extern crate gfx_hal; //! # fn main() { //! # use gfx_hal::prelude::*; //! //! # let mut swapchain: empty::Swapchain = return; //! # let device: empty::Device = return; //! # let mut present_queue: empty::CommandQueue = return; //! # unsafe { //! let acquisition_semaphore = device.create_semaphore().unwrap(); //! let render_semaphore = device.create_semaphore().unwrap(); //! //! let (frame, suboptimal) = swapchain.acquire_image(!0, Some(&acquisition_semaphore), None).unwrap(); //! // render the scene.. //! // `render_semaphore` will be signalled once rendering has been finished //! swapchain.present(&mut present_queue, 0, &[render_semaphore]); //! # }} //! ``` //! //! Queues need to synchronize with the presentation engine, usually done via signalling a semaphore //! once a frame is available for rendering and waiting on a separate semaphore until scene rendering //! has finished. //! //! ### Recreation //! //! DOC TODO use crate::device; use crate::format::Format; use crate::image; use crate::queue::CommandQueue; use crate::Backend; use std::any::Any; use std::borrow::Borrow; use std::cmp::{max, min}; use std::fmt; use std::iter; use std::ops::RangeInclusive; /// Default image usage for the swapchain. pub const DEFAULT_USAGE: image::Usage = image::Usage::COLOR_ATTACHMENT; /// Default image count for the swapchain. pub const DEFAULT_IMAGE_COUNT: SwapImageIndex = 3; /// Error occurred during swapchain creation. #[derive(Clone, Debug, PartialEq)] pub enum CreationError { /// Out of either host or device memory. OutOfMemory(device::OutOfMemory), /// Device is lost DeviceLost(device::DeviceLost), /// Surface is lost SurfaceLost(device::SurfaceLost), /// Window in use WindowInUse(device::WindowInUse), } impl From<device::OutOfMemory> for CreationError { fn from(error: device::OutOfMemory) -> Self { CreationError::OutOfMemory(error) } } impl From<device::DeviceLost> for CreationError { fn from(error: device::DeviceLost) -> Self { CreationError::DeviceLost(error) } } impl From<device::SurfaceLost> for CreationError { fn from(error: device::SurfaceLost) -> Self { CreationError::SurfaceLost(error) } } impl From<device::WindowInUse> for CreationError { fn from(error: device::WindowInUse) -> Self { CreationError::WindowInUse(error) } } impl std::fmt::Display for CreationError { fn fmt(&self, fmt: &mut std::fmt::Formatter<'_>) -> std::fmt::Result { match self { CreationError::OutOfMemory(err) => { write!(fmt, "Failed to create or configure swapchain: {}", err) } CreationError::DeviceLost(err) => { write!(fmt, "Failed to create or configure swapchain: {}", err) } CreationError::SurfaceLost(err) => { write!(fmt, "Failed to create or configure swapchain: {}", err) } CreationError::WindowInUse(err) => { write!(fmt, "Failed to create or configure swapchain: {}", err) } } } } impl std::error::Error for CreationError { fn source(&self) -> Option<&(dyn std::error::Error + 'static)> { match self { CreationError::OutOfMemory(err) => Some(err), CreationError::DeviceLost(err) => Some(err), CreationError::SurfaceLost(err) => Some(err), CreationError::WindowInUse(err) => Some(err), } } } /// An extent describes the size of a rectangle, such as /// a window or texture. It is not used for referring to a /// sub-rectangle; for that see `command::Rect`. #[derive(Clone, Copy, Debug, PartialEq, PartialOrd)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct Extent2D { /// Width pub width: image::Size, /// Height pub height: image::Size, } impl From<image::Extent> for Extent2D { fn from(ex: image::Extent) -> Self { Extent2D { width: ex.width, height: ex.height, } } } impl Extent2D { /// Convert into a regular image extent. pub fn to_extent(&self) -> image::Extent { image::Extent { width: self.width, height: self.height, depth: 1, } } } /// Describes information about what a `Surface`'s properties are. /// Fetch this with [Surface::capabilities]. #[derive(Debug, Clone)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct SurfaceCapabilities { /// Number of presentable images supported by the adapter for a swapchain /// created from this surface. /// /// - `image_count.start` must be at least 1. /// - `image_count.end` must be larger or equal to `image_count.start`. pub image_count: RangeInclusive<SwapImageIndex>, /// Current extent of the surface. /// /// `None` if the surface has no explicit size, depending on the swapchain extent. pub current_extent: Option<Extent2D>, /// Range of supported extents. /// /// `current_extent` must be inside this range. pub extents: RangeInclusive<Extent2D>, /// Maximum number of layers supported for presentable images. /// /// Must be at least 1. pub max_image_layers: image::Layer, /// Supported image usage flags. pub usage: image::Usage, /// A bitmask of supported presentation modes. pub present_modes: PresentMode, /// A bitmask of supported alpha composition modes. pub composite_alpha_modes: CompositeAlphaMode, } impl SurfaceCapabilities { fn clamped_extent(&self, default_extent: Extent2D) -> Extent2D { match self.current_extent { Some(current) => current, None => { let (min_width, max_width) = (self.extents.start().width, self.extents.end().width); let (min_height, max_height) = (self.extents.start().height, self.extents.end().height); // clamp the default_extent to within the allowed surface sizes let width = min(max_width, max(default_extent.width, min_width)); let height = min(max_height, max(default_extent.height, min_height)); Extent2D { width, height } } } } } /// A `Surface` abstracts the surface of a native window. pub trait Surface<B: Backend>: fmt::Debug + Any + Send + Sync { /// Check if the queue family supports presentation to this surface. /// /// # Examples /// /// ```no_run /// /// ``` fn supports_queue_family(&self, family: &B::QueueFamily) -> bool; /// Query surface capabilities for this physical device. /// /// Use this function for configuring swapchain creation. fn capabilities(&self, physical_device: &B::PhysicalDevice) -> SurfaceCapabilities; /// Query surface formats for this physical device. /// /// This function may be slow. It's typically used during the initialization only. /// /// Note: technically the surface support formats may change at the point /// where an application needs to recreate the swapchain, e.g. when the window /// is moved to a different monitor. /// /// If `None` is returned then the surface has no preferred format and the /// application may use any desired format. fn supported_formats(&self, physical_device: &B::PhysicalDevice) -> Option<Vec<Format>>; } /// A surface trait that exposes the ability to present images on the /// associtated swap chain. pub trait PresentationSurface<B: Backend>: Surface<B> { /// An opaque type wrapping the swapchain image. type SwapchainImage: Borrow<B::ImageView> + fmt::Debug + Send + Sync; /// Set up the swapchain associated with the surface to have the given format. unsafe fn configure_swapchain( &mut self, device: &B::Device, config: SwapchainConfig, ) -> Result<(), CreationError>; /// Remove the associated swapchain from this surface. /// /// This has to be done before the surface is dropped. unsafe fn unconfigure_swapchain(&mut self, device: &B::Device); /// Acquire a new swapchain image for rendering. /// /// May fail according to one of the reasons indicated in `AcquireError` enum. /// /// # Synchronization /// /// The acquired image is available to render. No synchronization is required. /// /// # Examples /// /// ```no_run /// /// ``` unsafe fn acquire_image( &mut self, timeout_ns: u64, ) -> Result<(Self::SwapchainImage, Option<Suboptimal>), AcquireError>; } /// Index of an image in the swapchain. /// /// The swapchain is a series of one or more images, usually /// with one being drawn on while the other is displayed by /// the GPU (aka double-buffering). A `SwapImageIndex` refers /// to a particular image in the swapchain. pub type SwapImageIndex = u32; bitflags!( /// Specifies the mode regulating how a swapchain presents frames. #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct PresentMode: u32 { /// Don't ever wait for v-sync. const IMMEDIATE = 0x1; /// Wait for v-sync, overwrite the last rendered frame. const MAILBOX = 0x2; /// Present frames in the same order they are rendered. const FIFO = 0x4; /// Don't wait for the next v-sync if we just missed it. const RELAXED = 0x8; } ); bitflags!( /// Specifies how the alpha channel of the images should be handled during /// compositing. #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct CompositeAlphaMode: u32 { /// The alpha channel, if it exists, of the images is ignored in the /// compositing process. Instead, the image is treated as if it has a /// constant alpha of 1.0. const OPAQUE = 0x1; /// The alpha channel, if it exists, of the images is respected in the /// compositing process. The non-alpha channels of the image are /// expected to already be multiplied by the alpha channel by the /// application. const PREMULTIPLIED = 0x2; /// The alpha channel, if it exists, of the images is respected in the /// compositing process. The non-alpha channels of the image are not /// expected to already be multiplied by the alpha channel by the /// application; instead, the compositor will multiply the non-alpha /// channels of the image by the alpha channel during compositing. const POSTMULTIPLIED = 0x4; /// The way in which the presentation engine treats the alpha channel in /// the images is unknown to gfx-hal. Instead, the application is /// responsible for setting the composite alpha blending mode using /// native window system commands. If the application does not set the /// blending mode using native window system commands, then a /// platform-specific default will be used. const INHERIT = 0x8; } ); /// Contains all the data necessary to create a new `Swapchain`: /// color, depth, and number of images. /// /// # Examples /// /// This type implements the builder pattern, method calls can be /// easily chained. /// /// ```no_run /// # extern crate gfx_hal; /// # fn main() { /// # use gfx_hal::window::SwapchainConfig; /// # use gfx_hal::format::Format; /// let config = SwapchainConfig::new(100, 100, Format::Bgra8Unorm, 2); /// # } /// ``` #[derive(Debug, Clone)] pub struct SwapchainConfig { /// Presentation mode. pub present_mode: PresentMode, /// Alpha composition mode. pub composite_alpha_mode: CompositeAlphaMode, /// Format of the backbuffer images. pub format: Format, /// Requested image extent. Must be in /// `SurfaceCapabilities::extents` range. pub extent: Extent2D, /// Number of images in the swapchain. Must be in /// `SurfaceCapabilities::image_count` range. pub image_count: SwapImageIndex, /// Number of image layers. Must be lower or equal to /// `SurfaceCapabilities::max_image_layers`. pub image_layers: image::Layer, /// Image usage of the backbuffer images. pub image_usage: image::Usage, } impl SwapchainConfig { /// Create a new default configuration (color images only). /// /// # Examples /// /// ```no_run /// /// ``` pub fn new(width: u32, height: u32, format: Format, image_count: SwapImageIndex) -> Self { SwapchainConfig { present_mode: PresentMode::FIFO, composite_alpha_mode: CompositeAlphaMode::OPAQUE, format, extent: Extent2D { width, height }, image_count, image_layers: 1, image_usage: DEFAULT_USAGE, } } /// Create a swapchain configuration based on the capabilities /// returned from a physical device query. If the surface does not /// specify a current size, default_extent is clamped and used instead. /// /// The default values are taken from `DEFAULT_USAGE` and `DEFAULT_IMAGE_COUNT`. pub fn from_caps(caps: &SurfaceCapabilities, format: Format, default_extent: Extent2D) -> Self { let composite_alpha_mode = if caps .composite_alpha_modes .contains(CompositeAlphaMode::INHERIT) { CompositeAlphaMode::INHERIT } else if caps .composite_alpha_modes .contains(CompositeAlphaMode::OPAQUE) { CompositeAlphaMode::OPAQUE } else { panic!("neither INHERIT or OPAQUE CompositeAlphaMode(s) are supported") }; let present_mode = if caps.present_modes.contains(PresentMode::MAILBOX) { PresentMode::MAILBOX } else if caps.present_modes.contains(PresentMode::FIFO) { PresentMode::FIFO } else { panic!("FIFO PresentMode is not supported") }; SwapchainConfig { present_mode, composite_alpha_mode, format, extent: caps.clamped_extent(default_extent), image_count: DEFAULT_IMAGE_COUNT .max(*caps.image_count.start()) .min(*caps.image_count.end()), image_layers: 1, image_usage: DEFAULT_USAGE, } } /// Specify the presentation mode. pub fn with_present_mode(mut self, mode: PresentMode) -> Self { self.present_mode = mode; self } /// Specify the presentation mode. pub fn with_composite_alpha_mode(mut self, mode: CompositeAlphaMode) -> Self { self.composite_alpha_mode = mode; self } /// Specify the usage of backbuffer images. pub fn with_image_usage(mut self, usage: image::Usage) -> Self { self.image_usage = usage; self } /// Specify the count of backbuffer image. pub fn with_image_count(mut self, count: SwapImageIndex) -> Self { self.image_count = count; self } // TODO: depth-only, stencil-only, swapchain size, present modes, etc. } /// Marker value returned if the swapchain no longer matches the surface properties exactly, /// but can still be used to present to the surface successfully. #[derive(Debug)] pub struct Suboptimal; /// Error on acquiring the next image from a swapchain. #[derive(Clone, Debug, PartialEq)] pub enum AcquireError { /// Out of either host or device memory. OutOfMemory(device::OutOfMemory), /// No image was ready and no timeout was specified. NotReady, /// No image was ready after the specified timeout expired. Timeout, /// The swapchain is no longer in sync with the surface, needs to be re-created. OutOfDate, /// The surface was lost, and the swapchain is no longer usable. SurfaceLost(device::SurfaceLost), /// Device is lost DeviceLost(device::DeviceLost), } impl std::fmt::Display for AcquireError { fn fmt(&self, fmt: &mut std::fmt::Formatter<'_>) -> std::fmt::Result { match self { AcquireError::OutOfMemory(err) => write!(fmt, "Failed to acqure image: {}", err), AcquireError::NotReady => write!( fmt, "Failed to acqure image: No image ready (timeout wasn't specified)" ), AcquireError::Timeout => { write!(fmt, "Failed to acqure image: No image ready (timeout)") } AcquireError::OutOfDate => write!( fmt, "Failed to acqure image: Swapchain is out of date and needs to be re-created" ), AcquireError::SurfaceLost(err) => write!(fmt, "Failed to acqure image: {}", err), AcquireError::DeviceLost(err) => write!(fmt, "Failed to acqure image: {}", err), } } } impl std::error::Error for AcquireError { fn source(&self) -> Option<&(dyn std::error::Error + 'static)> { match self { AcquireError::OutOfMemory(err) => Some(err), AcquireError::SurfaceLost(err) => Some(err), AcquireError::DeviceLost(err) => Some(err), _ => None, } } } /// Error on acquiring the next image from a swapchain. #[derive(Clone, Debug, PartialEq)] pub enum PresentError { /// Out of either host or device memory. OutOfMemory(device::OutOfMemory), /// The swapchain is no longer in sync with the surface, needs to be re-created. OutOfDate, /// The surface was lost, and the swapchain is no longer usable. SurfaceLost(device::SurfaceLost), /// Device is lost DeviceLost(device::DeviceLost), } impl std::fmt::Display for PresentError { fn fmt(&self, fmt: &mut std::fmt::Formatter<'_>) -> std::fmt::Result { match self { PresentError::OutOfMemory(err) => write!(fmt, "Failed to present image: {}", err), PresentError::OutOfDate => write!( fmt, "Failed to present image: Swapchain is out of date and needs to be re-created" ), PresentError::SurfaceLost(err) => write!(fmt, "Failed to present image: {}", err), PresentError::DeviceLost(err) => write!(fmt, "Failed to present image: {}", err), } } } impl std::error::Error for PresentError { fn source(&self) -> Option<&(dyn std::error::Error + 'static)> { match self { PresentError::OutOfMemory(err) => Some(err), PresentError::SurfaceLost(err) => Some(err), PresentError::DeviceLost(err) => Some(err), _ => None, } } } /// The `Swapchain` is the backend representation of the surface. /// It consists of multiple buffers, which will be presented on the surface. pub trait Swapchain<B: Backend>: fmt::Debug + Any + Send + Sync { /// Acquire a new swapchain image for rendering. This needs to be called before presenting. /// /// May fail according to one of the reasons indicated in `AcquireError` enum. /// /// # Synchronization /// /// The acquired image will not be immediately available when the function returns. /// Once available the provided [`Semaphore`](../trait.Resources.html#associatedtype.Semaphore) /// and [`Fence`](../trait.Resources.html#associatedtype.Fence) will be signaled. /// /// # Examples /// /// ```no_run /// /// ``` unsafe fn acquire_image( &mut self, timeout_ns: u64, semaphore: Option<&B::Semaphore>, fence: Option<&B::Fence>, ) -> Result<(SwapImageIndex, Option<Suboptimal>), AcquireError>; /// Present one acquired image. /// /// # Safety /// /// The passed queue _must_ support presentation on the surface, which is /// used for creating this swapchain. /// /// # Examples /// /// ```no_run /// /// ``` unsafe fn present<'a, S, Iw>( &'a self, present_queue: &mut B::CommandQueue, image_index: SwapImageIndex, wait_semaphores: Iw, ) -> Result<Option<Suboptimal>, PresentError> where Self: 'a + Sized + Borrow<B::Swapchain>, S: 'a + Borrow<B::Semaphore>, Iw: IntoIterator<Item = &'a S>, { present_queue.present(iter::once((self, image_index)), wait_semaphores) } /// Present one acquired image without any semaphore synchronization. unsafe fn present_without_semaphores<'a>( &'a self, present_queue: &mut B::CommandQueue, image_index: SwapImageIndex, ) -> Result<Option<Suboptimal>, PresentError> where Self: 'a + Sized + Borrow<B::Swapchain>, { self.present::<B::Semaphore, _>(present_queue, image_index, iter::empty()) } } /// Error occurred during surface creation. #[derive(Clone, Copy, Debug, PartialEq, Eq)] pub enum InitError { /// Window handle is not supported by the backend. UnsupportedWindowHandle, } impl std::fmt::Display for InitError { fn fmt(&self, fmt: &mut std::fmt::Formatter<'_>) -> std::fmt::Result { match self { InitError::UnsupportedWindowHandle => write!( fmt, "Failed to create surface: Specified window handle is unsupported" ), } } } impl std::error::Error for InitError {}