2019-07-26 16:54:25 -05:00
|
|
|
// run-pass
|
2014-10-31 04:40:15 -05:00
|
|
|
// Test that we can overload the `+` operator for points so that two
|
|
|
|
// points can be added, and a point can be added to an integer.
|
|
|
|
|
|
|
|
use std::ops;
|
|
|
|
|
2015-01-28 07:34:18 -06:00
|
|
|
#[derive(Debug,PartialEq,Eq)]
|
2014-10-31 04:40:15 -05:00
|
|
|
struct Point {
|
2015-03-25 19:06:52 -05:00
|
|
|
x: isize,
|
|
|
|
y: isize
|
2014-10-31 04:40:15 -05:00
|
|
|
}
|
|
|
|
|
2014-12-31 14:45:13 -06:00
|
|
|
impl ops::Add for Point {
|
|
|
|
type Output = Point;
|
|
|
|
|
2014-12-01 16:33:22 -06:00
|
|
|
fn add(self, other: Point) -> Point {
|
|
|
|
Point {x: self.x + other.x, y: self.y + other.y}
|
2014-10-31 04:40:15 -05:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2015-03-25 19:06:52 -05:00
|
|
|
impl ops::Add<isize> for Point {
|
2014-12-31 14:45:13 -06:00
|
|
|
type Output = Point;
|
|
|
|
|
2015-03-25 19:06:52 -05:00
|
|
|
fn add(self, other: isize) -> Point {
|
2014-10-31 04:40:15 -05:00
|
|
|
Point {x: self.x + other,
|
|
|
|
y: self.y + other}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
pub fn main() {
|
|
|
|
let mut p = Point {x: 10, y: 20};
|
|
|
|
p = p + Point {x: 101, y: 102};
|
|
|
|
assert_eq!(p, Point {x: 111, y: 122});
|
|
|
|
p = p + 1;
|
|
|
|
assert_eq!(p, Point {x: 112, y: 123});
|
|
|
|
}
|