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 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659
//! Image related structures. //! //! An image is a block of GPU memory representing a grid of texels. use std::ops::Range; use crate::buffer::Offset as RawOffset; use crate::device; use crate::format; use crate::pso::{Comparison, Rect}; /// Dimension size. pub type Size = u32; /// Number of MSAA samples. pub type NumSamples = u8; /// Image layer. pub type Layer = u16; /// Image mipmap level. pub type Level = u8; /// Maximum accessible mipmap level of an image. pub const MAX_LEVEL: Level = 15; /// Describes the size of an image, which may be up to three dimensional. #[derive(Clone, Copy, Debug, Default, Hash, PartialEq, Eq)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct Extent { /// Image width pub width: Size, /// Image height pub height: Size, /// Image depth. pub depth: Size, } impl Extent { /// Return true if one of the dimensions is zero. pub fn is_empty(&self) -> bool { self.width == 0 || self.height == 0 || self.depth == 0 } /// Get the extent at a particular mipmap level. pub fn at_level(&self, level: Level) -> Self { Extent { width: 1.max(self.width >> level), height: 1.max(self.height >> level), depth: 1.max(self.depth >> level), } } /// Get a rectangle for the full area of extent. pub fn rect(&self) -> Rect { Rect { x: 0, y: 0, w: self.width as i16, h: self.height as i16, } } } /// #[derive(Clone, Copy, Debug, Hash, PartialEq, Eq)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct Offset { /// pub x: i32, /// pub y: i32, /// pub z: i32, } impl Offset { /// Zero offset shortcut. pub const ZERO: Self = Offset { x: 0, y: 0, z: 0 }; /// Convert the offset into 2-sided bounds given the extent. pub fn into_bounds(self, extent: &Extent) -> Range<Offset> { let end = Offset { x: self.x + extent.width as i32, y: self.y + extent.height as i32, z: self.z + extent.depth as i32, }; self..end } } /// Image tiling modes. #[repr(u32)] #[derive(Clone, Copy, Debug, Eq, Hash, Ord, PartialEq, PartialOrd)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub enum Tiling { /// Optimal tiling for GPU memory access. Implementation-dependent. Optimal, /// Optimal for CPU read/write. Texels are laid out in row-major order, /// possibly with some padding on each row. Linear, } /// Pure image object creation error. #[derive(Clone, Copy, Debug, PartialEq, Eq, Fail)] pub enum CreationError { /// Out of either host or device memory. #[fail(display = "{}", _0)] OutOfMemory(device::OutOfMemory), /// The format is not supported by the device. #[fail(display = "Failed to map a given format ({:?}) to the device", _0)] Format(format::Format), /// The kind doesn't support a particular operation. #[fail(display = "The kind doesn't support a particular operation")] Kind, /// Failed to map a given multisampled kind to the device. #[fail( display = "Failed to map a given multisampled kind ({}) to the device", _0 )] Samples(NumSamples), /// Unsupported size in one of the dimensions. #[fail(display = "Unsupported size ({}) in one of the dimensions", _0)] Size(Size), /// The given data has a different size than the target image slice. #[fail( display = "The given data has a different size ({}) than the target image slice", _0 )] Data(usize), /// The mentioned usage mode is not supported #[fail( display = "The expected image usage mode ({:?}) is not supported by a graphic API", _0 )] Usage(Usage), } impl From<device::OutOfMemory> for CreationError { fn from(error: device::OutOfMemory) -> Self { CreationError::OutOfMemory(error) } } /// Error creating an `ImageView`. #[derive(Clone, Debug, PartialEq, Eq, Fail)] pub enum ViewError { /// The required usage flag is not present in the image. #[fail( display = "The required usage flag ({:?}) is not present in the image", _0 )] Usage(Usage), /// Selected mip levels doesn't exist. #[fail(display = "Selected mip level ({}) doesn't exist", _0)] Level(Level), /// Selected array layer doesn't exist. #[fail(display = "Selected mip layer ({}) doesn't exist", _0)] Layer(LayerError), /// An incompatible format was requested for the view. #[fail( display = "An incompatible format ({:?}) was requested for the view", _0 )] BadFormat(format::Format), /// Unsupported view kind. #[fail(display = "An incompatible kind ({:?}) was requested for the view", _0)] BadKind(ViewKind), /// Out of either Host or Device memory #[fail(display = "{}", _0)] OutOfMemory(device::OutOfMemory), /// The backend refused for some reason. #[fail(display = "The backend refused for some reason")] Unsupported, } impl From<device::OutOfMemory> for ViewError { fn from(error: device::OutOfMemory) -> Self { ViewError::OutOfMemory(error) } } /// An error associated with selected image layer. #[derive(Clone, Debug, Eq, Hash, PartialEq, Fail)] pub enum LayerError { /// The source image kind doesn't support array slices. #[fail( display = "The source image kind ({:?}) doesn't support array slices", _0 )] NotExpected(Kind), /// Selected layer is outside of the provided range. #[fail( display = "Selected layers ({:?}) are outside of the provided range", _0 )] OutOfBounds(Range<Layer>), } /// How to [filter](https://en.wikipedia.org/wiki/Texture_filtering) the /// image when sampling. They correspond to increasing levels of quality, /// but also cost. #[derive(Clone, Copy, Debug, Eq, Hash, Ord, PartialEq, PartialOrd)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub enum Filter { /// Selects a single texel from the current mip level and uses its value. /// /// Mip filtering selects the filtered value from one level. Nearest, /// Selects multiple texels and calculates the value via multivariate interpolation. /// * 1D: Linear interpolation /// * 2D/Cube: Bilinear interpolation /// * 3D: Trilinear interpolation Linear, } /// Anisotropic filtering description for the sampler. #[derive(Clone, Copy, Debug, Eq, Hash, Ord, PartialEq, PartialOrd)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub enum Anisotropic { /// Disable anisotropic filtering. Off, /// Enable anisotropic filtering with the anisotropy clamp value. On(u8), } /// The face of a cube image to do an operation on. #[allow(missing_docs)] #[derive(Clone, Copy, Debug, Eq, Hash, Ord, PartialEq, PartialOrd)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] #[repr(u8)] pub enum CubeFace { PosX, NegX, PosY, NegY, PosZ, NegZ, } /// A constant array of cube faces in the order they map to the hardware. pub const CUBE_FACES: [CubeFace; 6] = [ CubeFace::PosX, CubeFace::NegX, CubeFace::PosY, CubeFace::NegY, CubeFace::PosZ, CubeFace::NegZ, ]; /// Specifies the kind of an image to be allocated. #[derive(Clone, Copy, Debug, Eq, Hash, Ord, PartialEq, PartialOrd)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub enum Kind { /// A single one-dimensional row of texels. D1(Size, Layer), /// Two-dimensional image. D2(Size, Size, Layer, NumSamples), /// Volumetric image. D3(Size, Size, Size), } impl Kind { /// Get the image extent. pub fn extent(&self) -> Extent { match *self { Kind::D1(width, _) => Extent { width, height: 1, depth: 1, }, Kind::D2(width, height, _, _) => Extent { width, height, depth: 1, }, Kind::D3(width, height, depth) => Extent { width, height, depth, }, } } /// Get the extent of a particular mipmap level. pub fn level_extent(&self, level: Level) -> Extent { use std::cmp::{max, min}; // must be at least 1 let map = |val| max(min(val, 1), val >> min(level, MAX_LEVEL)); match *self { Kind::D1(w, _) => Extent { width: map(w), height: 1, depth: 1, }, Kind::D2(w, h, _, _) => Extent { width: map(w), height: map(h), depth: 1, }, Kind::D3(w, h, d) => Extent { width: map(w), height: map(h), depth: map(d), }, } } /// Count the number of mipmap levels. pub fn num_levels(&self) -> Level { use std::cmp::max; match *self { Kind::D2(_, _, _, s) if s > 1 => { // anti-aliased images can't have mipmaps 1 } _ => { let extent = self.extent(); let dominant = max(max(extent.width, extent.height), extent.depth); (1..).find(|level| dominant >> level == 0).unwrap() } } } /// Return the number of layers in an array type. /// /// Each cube face counts as separate layer. pub fn num_layers(&self) -> Layer { match *self { Kind::D1(_, a) | Kind::D2(_, _, a, _) => a, Kind::D3(..) => 1, } } /// Return the number of MSAA samples for the kind. pub fn num_samples(&self) -> NumSamples { match *self { Kind::D1(..) => 1, Kind::D2(_, _, _, s) => s, Kind::D3(..) => 1, } } } /// Specifies the kind of an image view. #[derive(Clone, Copy, Debug, Eq, Hash, Ord, PartialEq, PartialOrd)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub enum ViewKind { /// A single one-dimensional row of texels. D1, /// An array of rows of texels. Equivalent to `D2` except that texels /// in different rows are not sampled, so filtering will be constrained /// to a single row of texels at a time. D1Array, /// A traditional 2D image, with rows arranged contiguously. D2, /// An array of 2D images. Equivalent to `D3` except that texels in /// a different depth level are not sampled. D2Array, /// A volume image, with each 2D layer arranged contiguously. D3, /// A set of 6 2D images, one for each face of a cube. Cube, /// An array of Cube images. CubeArray, } bitflags!( /// Capabilities to create views into an image. #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct ViewCapabilities: u32 { /// Support creation of views with different formats. const MUTABLE_FORMAT = 0x0000_0008; /// Support creation of `Cube` and `CubeArray` kinds of views. const KIND_CUBE = 0x0000_0010; /// Support creation of `D2Array` kind of view. const KIND_2D_ARRAY = 0x0000_0020; } ); bitflags!( /// TODO: Find out if TRANSIENT_ATTACHMENT + INPUT_ATTACHMENT /// are applicable on backends other than Vulkan. --AP /// Image usage flags #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct Usage: u32 { /// The image is used as a transfer source. const TRANSFER_SRC = 0x1; /// The image is used as a transfer destination. const TRANSFER_DST = 0x2; /// The image is a [sampled image](https://www.khronos.org/registry/vulkan/specs/1.0/html/vkspec.html#descriptorsets-sampledimage) const SAMPLED = 0x4; /// The image is a [storage image](https://www.khronos.org/registry/vulkan/specs/1.0/html/vkspec.html#descriptorsets-storageimage) const STORAGE = 0x8; /// The image is used as a color attachment -- that is, color input to a rendering pass. const COLOR_ATTACHMENT = 0x10; /// The image is used as a depth attachment. const DEPTH_STENCIL_ATTACHMENT = 0x20; /// const TRANSIENT_ATTACHMENT = 0x40; /// const INPUT_ATTACHMENT = 0x80; } ); impl Usage { /// Returns true if this image can be used in transfer operations. pub fn can_transfer(&self) -> bool { self.intersects(Usage::TRANSFER_SRC | Usage::TRANSFER_DST) } /// Returns true if this image can be used as a target. pub fn can_target(&self) -> bool { self.intersects(Usage::COLOR_ATTACHMENT | Usage::DEPTH_STENCIL_ATTACHMENT) } } /// Specifies how image coordinates outside the range `[0, 1]` are handled. #[derive(Clone, Copy, Debug, Eq, Hash, Ord, PartialEq, PartialOrd)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub enum WrapMode { /// Tile the image, that is, sample the coordinate modulo `1.0`, so /// addressing the image beyond an edge will "wrap" back from the /// other edge. Tile, /// Mirror the image. Like tile, but uses abs(coord) before the modulo. Mirror, /// Clamp the image to the value at `0.0` or `1.0` respectively. Clamp, /// Use border color. Border, } /// A wrapper for the LOD level of an image. #[derive(Clone, Copy, Debug, Eq, Hash, PartialEq, PartialOrd)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct Lod(i16); impl From<f32> for Lod { fn from(v: f32) -> Lod { Lod((v * 8.0) as i16) } } impl Into<f32> for Lod { fn into(self) -> f32 { self.0 as f32 / 8.0 } } /// A wrapper for an RGBA color with 8 bits per texel, encoded as a u32. #[derive(Clone, Copy, Debug, Eq, Hash, PartialEq, PartialOrd)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct PackedColor(pub u32); impl From<[f32; 4]> for PackedColor { fn from(c: [f32; 4]) -> PackedColor { PackedColor( c.iter() .rev() .fold(0, |u, &c| (u << 8) + (c * 255.0) as u32), ) } } impl Into<[f32; 4]> for PackedColor { fn into(self) -> [f32; 4] { let mut out = [0.0; 4]; for (i, channel) in out.iter_mut().enumerate() { let byte = (self.0 >> (i << 3)) & 0xFF; *channel = byte as f32 / 255.0; } out } } /// Specifies how to sample from an image. // TODO: document the details of sampling. #[derive(Clone, Debug, Eq, Hash, PartialEq)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct SamplerInfo { /// Minification filter method to use. pub min_filter: Filter, /// Magnification filter method to use. pub mag_filter: Filter, /// Mip filter method to use. pub mip_filter: Filter, /// Wrapping mode for each of the U, V, and W axis (S, T, and R in OpenGL /// speak). pub wrap_mode: (WrapMode, WrapMode, WrapMode), /// This bias is added to every computed mipmap level (N + lod_bias). For /// example, if it would select mipmap level 2 and lod_bias is 1, it will /// use mipmap level 3. pub lod_bias: Lod, /// This range is used to clamp LOD level used for sampling. pub lod_range: Range<Lod>, /// Comparison mode, used primary for a shadow map. pub comparison: Option<Comparison>, /// Border color is used when one of the wrap modes is set to border. pub border: PackedColor, /// Anisotropic filtering. pub anisotropic: Anisotropic, } impl SamplerInfo { /// Create a new sampler description with a given filter method for all filtering operations /// and a wrapping mode, using no LOD modifications. pub fn new(filter: Filter, wrap: WrapMode) -> Self { SamplerInfo { min_filter: filter, mag_filter: filter, mip_filter: filter, wrap_mode: (wrap, wrap, wrap), lod_bias: Lod(0), lod_range: Lod(-8000)..Lod(8000), comparison: None, border: PackedColor(0), anisotropic: Anisotropic::Off, } } } /// Specifies options for how memory for an image is arranged. /// These are hints to the GPU driver and may or may not have actual /// performance effects, but describe constraints on how the data /// may be used that a program *must* obey. They do not specify /// how channel values or such are laid out in memory; the actual /// image data is considered opaque. /// /// Details may be found in [the Vulkan spec](https://www.khronos.org/registry/vulkan/specs/1.0/html/vkspec.html#resources-image-layouts) #[derive(Copy, Clone, Debug, Hash, PartialEq, Eq)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub enum Layout { /// General purpose, no restrictions on usage. General, /// Must only be used as a color attachment in a framebuffer. ColorAttachmentOptimal, /// Must only be used as a depth attachment in a framebuffer. DepthStencilAttachmentOptimal, /// Must only be used as a depth attachment in a framebuffer, /// or as a read-only depth or stencil buffer in a shader. DepthStencilReadOnlyOptimal, /// Must only be used as a read-only image in a shader. ShaderReadOnlyOptimal, /// Must only be used as the source for a transfer command. TransferSrcOptimal, /// Must only be used as the destination for a transfer command. TransferDstOptimal, /// No layout, does not support device access. Only valid as a /// source layout when transforming data to a specific destination /// layout or initializing data. Does NOT guarentee that the contents /// of the source buffer are preserved. Undefined, //TODO: consider Option<> instead? /// Like `Undefined`, but does guarentee that the contents of the source /// buffer are preserved. Preinitialized, /// The layout that an image must be in to be presented to the display. Present, } bitflags!( /// Bitflags to describe how memory in an image or buffer can be accessed. #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct Access: u32 { /// Read access to an input attachment from within a fragment shader. const INPUT_ATTACHMENT_READ = 0x10; /// Read-only state for SRV access, or combine with `SHADER_WRITE` to have r/w access to UAV. const SHADER_READ = 0x20; /// Writeable state for UAV access. /// Combine with `SHADER_READ` to have r/w access to UAV. const SHADER_WRITE = 0x40; /// Read state but can only be combined with `COLOR_ATTACHMENT_WRITE`. const COLOR_ATTACHMENT_READ = 0x80; /// Write-only state but can be combined with `COLOR_ATTACHMENT_READ`. const COLOR_ATTACHMENT_WRITE = 0x100; /// Read access to a depth/stencil attachment in a depth or stencil operation. const DEPTH_STENCIL_ATTACHMENT_READ = 0x200; /// Write access to a depth/stencil attachment in a depth or stencil operation. const DEPTH_STENCIL_ATTACHMENT_WRITE = 0x400; /// Read access to the buffer in a copy operation. const TRANSFER_READ = 0x800; /// Write access to the buffer in a copy operation. const TRANSFER_WRITE = 0x1000; /// Read access for raw memory to be accessed by the host system (ie, CPU). const HOST_READ = 0x2000; /// Write access for raw memory to be accessed by the host system. const HOST_WRITE = 0x4000; /// Read access for memory to be accessed by a non-specific entity. This may /// be the host system, or it may be something undefined or specified by an /// extension. const MEMORY_READ = 0x8000; /// Write access for memory to be accessed by a non-specific entity. const MEMORY_WRITE = 0x10000; } ); /// Image state, combining access methods and the image's layout. pub type State = (Access, Layout); /// Selector of a concrete subresource in an image. #[derive(Clone, Copy, Debug, Hash, PartialEq, Eq)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct Subresource { /// Included aspects: color/depth/stencil pub aspects: format::Aspects, /// Selected mipmap level pub level: Level, /// Selected array level pub layer: Layer, } /// A subset of resource layers contained within an image's level. #[derive(Clone, Debug, Hash, PartialEq, Eq)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct SubresourceLayers { /// Included aspects: color/depth/stencil pub aspects: format::Aspects, /// Selected mipmap level pub level: Level, /// Included array levels pub layers: Range<Layer>, } /// A subset of resources contained within an image. #[derive(Clone, Debug, Hash, PartialEq, Eq)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct SubresourceRange { /// Included aspects: color/depth/stencil pub aspects: format::Aspects, /// Included mipmap levels pub levels: Range<Level>, /// Included array levels pub layers: Range<Layer>, } /// Image format properties. #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct FormatProperties { /// Maximum extent. pub max_extent: Extent, /// Max number of mipmap levels. pub max_levels: Level, /// Max number of array layers. pub max_layers: Layer, /// Bit mask of supported sample counts. pub sample_count_mask: NumSamples, /// Maximum size of the resource in bytes. pub max_resource_size: usize, } /// Footprint of a subresource in memory. #[derive(Debug, Clone, PartialEq, Eq, Hash)] #[cfg_attr(feature = "serde", derive(Serialize, Deserialize))] pub struct SubresourceFootprint { /// Byte slice occupied by the subresource. pub slice: Range<RawOffset>, /// Byte distance between rows. pub row_pitch: RawOffset, /// Byte distance between array layers. pub array_pitch: RawOffset, /// Byte distance between depth slices. pub depth_pitch: RawOffset, }