2012-12-11 01:32:48 +00:00
|
|
|
// Copyright 2012 The Rust Project Developers. See the COPYRIGHT
|
|
|
|
// file at the top-level directory of this distribution and at
|
|
|
|
// http://rust-lang.org/COPYRIGHT.
|
|
|
|
//
|
|
|
|
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
|
|
|
|
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
|
|
|
|
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
|
|
|
|
// option. This file may not be copied, modified, or distributed
|
|
|
|
// except according to those terms.
|
|
|
|
|
2013-03-15 19:24:24 +00:00
|
|
|
struct Point {
|
2012-09-07 21:50:47 +00:00
|
|
|
x: int,
|
|
|
|
y: int,
|
2012-07-28 02:32:42 +00:00
|
|
|
}
|
2012-06-02 04:54:38 +00:00
|
|
|
|
2013-02-14 19:47:00 +00:00
|
|
|
impl ops::Add<int,int> for Point {
|
2013-03-22 18:23:21 +00:00
|
|
|
fn add(&self, z: &int) -> int {
|
2012-09-20 01:00:26 +00:00
|
|
|
self.x + self.y + (*z)
|
|
|
|
}
|
|
|
|
}
|
2012-07-11 22:00:40 +00:00
|
|
|
|
2013-02-27 01:47:41 +00:00
|
|
|
pub impl Point {
|
2013-03-13 02:32:14 +00:00
|
|
|
fn times(&self, z: int) -> int {
|
2012-07-28 02:32:42 +00:00
|
|
|
self.x * self.y * z
|
|
|
|
}
|
2012-06-02 04:54:38 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
fn a() {
|
2012-07-28 02:32:42 +00:00
|
|
|
let mut p = Point {x: 3, y: 4};
|
2012-06-02 04:54:38 +00:00
|
|
|
|
|
|
|
// ok (we can loan out rcvr)
|
|
|
|
p + 3;
|
2012-07-28 02:32:42 +00:00
|
|
|
p.times(3);
|
2012-06-02 04:54:38 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
fn b() {
|
2012-07-28 02:32:42 +00:00
|
|
|
let mut p = Point {x: 3, y: 4};
|
2012-06-02 04:54:38 +00:00
|
|
|
|
|
|
|
// Here I create an outstanding loan and check that we get conflicts:
|
|
|
|
|
2013-03-15 19:24:24 +00:00
|
|
|
let q = &mut p;
|
2012-06-02 04:54:38 +00:00
|
|
|
|
2012-12-06 22:53:21 +00:00
|
|
|
p + 3; // ok for pure fns
|
2013-03-15 19:24:24 +00:00
|
|
|
p.times(3); //~ ERROR cannot borrow `p`
|
2012-08-17 21:09:20 +00:00
|
|
|
|
|
|
|
q.x += 1;
|
2012-06-02 04:54:38 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
fn c() {
|
2013-01-18 02:43:35 +00:00
|
|
|
// Here the receiver is in aliased memory but due to write
|
|
|
|
// barriers we can still consider it immutable.
|
2012-07-28 02:32:42 +00:00
|
|
|
let q = @mut Point {x: 3, y: 4};
|
2012-06-02 04:54:38 +00:00
|
|
|
*q + 3;
|
2013-01-18 02:43:35 +00:00
|
|
|
q.times(3);
|
2012-06-02 04:54:38 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
fn main() {
|
|
|
|
}
|
|
|
|
|