]> git.lizzy.rs Git - rust.git/blob - src/test/run-pass/issue-3743.rs
Auto merge of #28369 - ebfull:fix-higher-ranked, r=nikomatsakis
[rust.git] / src / test / run-pass / issue-3743.rs
1 // Copyright 2013 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 // If `Mul` used an associated type for its output, this test would
12 // work more smoothly.
13
14 use std::ops::Mul;
15
16 #[derive(Copy, Clone)]
17 struct Vec2 {
18     x: f64,
19     y: f64
20 }
21
22 // methods we want to export as methods as well as operators
23 impl Vec2 {
24 #[inline(always)]
25     fn vmul(self, other: f64) -> Vec2 {
26         Vec2 { x: self.x * other, y: self.y * other }
27     }
28 }
29
30 // Right-hand-side operator visitor pattern
31 trait RhsOfVec2Mul {
32     type Result;
33
34     fn mul_vec2_by(&self, lhs: &Vec2) -> Self::Result;
35 }
36
37 // Vec2's implementation of Mul "from the other side" using the above trait
38 impl<Res, Rhs: RhsOfVec2Mul<Result=Res>> Mul<Rhs> for Vec2 {
39     type Output = Res;
40
41     fn mul(self, rhs: Rhs) -> Res { rhs.mul_vec2_by(&self) }
42 }
43
44 // Implementation of 'f64 as right-hand-side of Vec2::Mul'
45 impl RhsOfVec2Mul for f64 {
46     type Result = Vec2;
47
48     fn mul_vec2_by(&self, lhs: &Vec2) -> Vec2 { lhs.vmul(*self) }
49 }
50
51 // Usage with failing inference
52 pub fn main() {
53     let a = Vec2 { x: 3.0f64, y: 4.0f64 };
54
55     // the following compiles and works properly
56     let v1: Vec2 = a * 3.0f64;
57     println!("{} {}", v1.x, v1.y);
58
59     // the following compiles but v2 will not be Vec2 yet and
60     // using it later will cause an error that the type of v2
61     // must be known
62     let v2 = a * 3.0f64;
63     println!("{} {}", v2.x, v2.y); // error regarding v2's type
64 }