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
use mint::Point2;
#[cfg(feature = "serde_derive")]
use serde::{Deserialize, Serialize};
use std::ops::{Add, Neg, Sub};
#[cfg_attr(feature = "serde_derive", derive(Serialize, Deserialize))]
#[derive(Copy, Clone, Eq, PartialEq, Hash, Debug, Default)]
pub struct Coord {
pub x: isize,
pub y: isize,
}
impl Coord {
#[inline]
pub fn new(x: isize, y: isize) -> Self {
Self { x, y }
}
}
impl Coord {
pub fn diff(self, rhs: Self) -> (isize, isize) {
((self.x - rhs.x).abs(), (self.y - rhs.y).abs())
}
}
impl Add for Coord {
type Output = Coord;
fn add(self, rhs: Self) -> Self::Output {
Coord {
x: self.x + rhs.x,
y: self.y + rhs.y,
}
}
}
impl Neg for Coord {
type Output = Coord;
fn neg(self) -> Self::Output {
Coord {
x: -self.x,
y: -self.y,
}
}
}
impl Sub for Coord {
type Output = Coord;
fn sub(self, rhs: Self) -> Self::Output {
Coord {
x: self.x - rhs.x,
y: self.y - rhs.y,
}
}
}
impl From<Point2<isize>> for Coord {
fn from(point: Point2<isize>) -> Self {
Coord {
x: point.x,
y: point.y,
}
}
}
impl From<Coord> for Point2<isize> {
fn from(coord: Coord) -> Self {
Point2 {
x: coord.x,
y: coord.y,
}
}
}
macro_rules! impl_from_num {
($num_type:ty) => {
impl From<($num_type, $num_type)> for Coord {
fn from(nums: ($num_type, $num_type)) -> Coord {
Coord {
x: nums.0 as isize,
y: nums.1 as isize,
}
}
}
};
}
impl_from_num!(u8);
impl_from_num!(i8);
impl_from_num!(u16);
impl_from_num!(i16);
impl_from_num!(u32);
impl_from_num!(i32);
impl_from_num!(u64);
impl_from_num!(i64);
impl_from_num!(u128);
impl_from_num!(i128);
impl_from_num!(usize);
impl_from_num!(isize);
impl_from_num!(f32);
impl_from_num!(f64);