use crate::{Radians, Vector}; /// An amount of space in 2 dimensions. #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash, Default)] pub struct Size { /// The width. pub width: T, /// The height. pub height: T, } impl Size { /// Creates a new [`Size`] with the given width and height. pub const fn new(width: T, height: T) -> Self { Size { width, height } } } impl Size { /// A [`Size`] with zero width and height. pub const ZERO: Size = Size::new(0., 0.); /// A [`Size`] with a width and height of 1 unit. pub const UNIT: Size = Size::new(1., 1.); /// A [`Size`] with infinite width and height. pub const INFINITY: Size = Size::new(f32::INFINITY, f32::INFINITY); /// Returns the minimum of each component of this size and another. pub fn min(self, other: Self) -> Self { Size { width: self.width.min(other.width), height: self.height.min(other.height), } } /// Returns the maximum of each component of this size and another. pub fn max(self, other: Self) -> Self { Size { width: self.width.max(other.width), height: self.height.max(other.height), } } /// Expands this [`Size`] by the given amount. pub fn expand(self, other: impl Into) -> Self { let other = other.into(); Size { width: self.width + other.width, height: self.height + other.height, } } /// Rotates the given [`Size`] and returns the minimum [`Size`] /// containing it. pub fn rotate(self, rotation: Radians) -> Size { let radians = f32::from(rotation); Size { width: (self.width * radians.cos()).abs() + (self.height * radians.sin()).abs(), height: (self.width * radians.sin()).abs() + (self.height * radians.cos()).abs(), } } } impl From<[T; 2]> for Size { fn from([width, height]: [T; 2]) -> Self { Size { width, height } } } impl From<(T, T)> for Size { fn from((width, height): (T, T)) -> Self { Self { width, height } } } impl From> for Size { fn from(vector: Vector) -> Self { Size { width: vector.x, height: vector.y, } } } impl From> for [T; 2] { fn from(size: Size) -> Self { [size.width, size.height] } } impl From> for Vector { fn from(size: Size) -> Self { Vector::new(size.width, size.height) } } impl std::ops::Add for Size where T: std::ops::Add, { type Output = Size; fn add(self, rhs: Self) -> Self::Output { Size { width: self.width + rhs.width, height: self.height + rhs.height, } } } impl std::ops::Sub for Size where T: std::ops::Sub, { type Output = Size; fn sub(self, rhs: Self) -> Self::Output { Size { width: self.width - rhs.width, height: self.height - rhs.height, } } } impl std::ops::Mul for Size where T: std::ops::Mul + Copy, { type Output = Size; fn mul(self, rhs: T) -> Self::Output { Size { width: self.width * rhs, height: self.height * rhs, } } } impl std::ops::Mul> for Size where T: std::ops::Mul + Copy, { type Output = Size; fn mul(self, scale: Vector) -> Self::Output { Size { width: self.width * scale.x, height: self.height * scale.y, } } }