2024-06-27 11:29:33 -04:00
|
|
|
struct Rectangle {
|
|
|
|
width: i32,
|
|
|
|
height: i32,
|
|
|
|
}
|
|
|
|
|
|
|
|
impl Rectangle {
|
|
|
|
// Don't change this function.
|
|
|
|
fn new(width: i32, height: i32) -> Self {
|
|
|
|
if width <= 0 || height <= 0 {
|
|
|
|
// Returning a `Result` would be better here. But we want to learn
|
|
|
|
// how to test functions that can panic.
|
2024-07-22 06:02:59 -04:00
|
|
|
panic!("Rectangle width and height must be positive");
|
2024-06-27 11:29:33 -04:00
|
|
|
}
|
2015-09-20 18:31:41 -04:00
|
|
|
|
2024-06-27 11:29:33 -04:00
|
|
|
Rectangle { width, height }
|
|
|
|
}
|
2015-09-20 18:31:41 -04:00
|
|
|
}
|
|
|
|
|
2024-04-17 16:46:21 -04:00
|
|
|
fn main() {
|
|
|
|
// You can optionally experiment here.
|
|
|
|
}
|
|
|
|
|
2015-09-20 18:31:41 -04:00
|
|
|
#[cfg(test)]
|
|
|
|
mod tests {
|
|
|
|
use super::*;
|
|
|
|
|
|
|
|
#[test]
|
2024-06-27 11:29:33 -04:00
|
|
|
fn correct_width_and_height() {
|
|
|
|
// TODO: This test should check if the rectangle has the size that we
|
|
|
|
// pass to its constructor.
|
|
|
|
let rect = Rectangle::new(10, 20);
|
2024-06-27 20:26:35 -04:00
|
|
|
assert_eq!(todo!(), 10); // Check width
|
|
|
|
assert_eq!(todo!(), 20); // Check height
|
2024-06-27 11:29:33 -04:00
|
|
|
}
|
|
|
|
|
|
|
|
// TODO: This test should check if the program panics when we try to create
|
|
|
|
// a rectangle with negative width.
|
|
|
|
#[test]
|
|
|
|
fn negative_width() {
|
|
|
|
let _rect = Rectangle::new(-10, 10);
|
2015-09-20 18:31:41 -04:00
|
|
|
}
|
2020-09-21 16:23:19 -04:00
|
|
|
|
2024-06-27 11:29:33 -04:00
|
|
|
// TODO: This test should check if the program panics when we try to create
|
|
|
|
// a rectangle with negative height.
|
2020-09-21 16:23:19 -04:00
|
|
|
#[test]
|
2024-06-27 11:29:33 -04:00
|
|
|
fn negative_height() {
|
|
|
|
let _rect = Rectangle::new(10, -10);
|
2020-09-21 16:23:19 -04:00
|
|
|
}
|
2015-09-20 18:31:41 -04:00
|
|
|
}
|