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
use crate::dimensions::Dimensions;
use crate::position::Position;

/// A single block in the game
///
/// Each block has a position, size and strength
pub struct Block {
    position: Position,
    dimensions: Dimensions,
    strength: u16,
}

impl Block {
    /// Create a new block
    pub fn new(position: Position, dimensions: Dimensions, strength: u16) -> Block {
        Block {
            position,
            dimensions,
            strength,
        }
    }

    /// Get the x coordinate of the block
    pub fn x(&self) -> u16 {
        self.position.x()
    }

    /// Get the y coordinate of the block
    pub fn y(&self) -> u16 {
        self.position.y()
    }

    /// Get the width of the block
    pub fn width(&self) -> u16 {
        self.dimensions.width()
    }

    /// Get the height of the block
    pub fn height(&self) -> u16 {
        self.dimensions.height()
    }

    /// Damage the block, from a contact with the ball
    pub fn damage(&mut self, amount: u16) {
        if amount > self.strength {
            self.strength = 0
        } else {
            self.strength -= amount
        }
    }

    /// Get the strength of the block
    pub fn strength(&self) -> u16 {
        self.strength
    }
}