use trait_demo::Summary; use trait_demo::Tweet; use trait_demo::NewsArticle;
fnmain() { lettweet = Tweet { username: String::from("Cherry_ICT"), content: String::from("People in Shanghai are free today..."), reply: false, retweet: false };
println!("Get 1 new tweet: {}", tweet.summarize());
letnews = NewsArticle { headline: String::from("WWDC will be held in June 7th"), location: String::from("USA"), author: String::from("Tim Cook"), content: String::from("The Apple will take us a lot of devices."), };
println!("You receive a news: {}", news.summarize()); }
最终输出结果为:
1 2 3 4 5 6
➜ ~/Code/rust/trait_demo git:(master) ✗ cargo run Compiling trait_demo v0.1.0 (/home/cherry/Code/rust/trait_demo) Finished dev [unoptimized + debuginfo] target(s) in0.33s Running `target/debug/trait_demo` Get 1 new tweet: Cherry_ICT: People in Shanghai are free today... You receive a news: WWDC will be held in June 7th, by Tim Cook (USA)
➜ ~/Code/rust/pattern git:(master) ✗ cargo run Compiling pattern v0.1.0 (/home/cherry/Code/rust/pattern) error[E0508]: cannot move out of type `[T]`, a non-copy slice --> src/main.rs:10:19 | 10 | letmut largest = list[0]; | ^^^^^^^ | | | cannot move out of here | move occurs because `list[_]` has type `T`, which does not implement the `Copy` trait | help: consider borrowing here: `&list[0]`
error[E0507]: cannot move out of a shared reference --> src/main.rs:11:18 | 11 | for &item in list { | ----- ^^^^ | || | |data moved here | |move occurs because `item` has type `T`, which does not implement the `Copy` trait | help: consider removing the `&`: `item`
Some errors have detailed explanations: E0507, E0508. For more information about an error, try `rustc --explain E0507`. error: could not compile `pattern` due to 2 previous errors
fnget_max_ele<T: PartialOrd + Clone>(list: &[T]) -> T { letmut largest = list[0]; for &item in list { if item > largest { largest = item; } } largest }
这样又会出现错误:
1 2 3 4 5 6 7 8 9
error[E0508]: cannot move out of type `[T]`, a non-copy slice --> src/main.rs:21:23 | 21 | letmut largest = list[0]; | ^^^^^^^ | | | cannot move out of here | move occurs because `list[_]` has type `T`, which does not implement the `Copy` trait | help: consider borrowing here: `&list[0]`
是因为这里 list[0] 是字符串切片,是一个借用,没有所有权,因此一个借用给一个变量赋值,这个借用对应的类型必须要实现 Copy trait。因此在 list 前面加上引用,并且将 item 也设为引用,最后返回 &T。
1 2 3 4 5 6 7 8 9
fnget_max_ele<T: PartialOrd + Clone>(list: &[T]) -> &T { letmut largest = &list[0]; foritemin list { if item > largest { largest = item; } } largest }
若要最后还是返回 T,则可以使用 clone 方法:
1 2 3 4 5 6 7 8 9
fnget_max_ele<T: PartialOrd + Clone>(list: &[T]) -> T { letmut largest = list[0].clone(); foritemin list { if item > &largest { largest = item.clone(); } } largest }
impl<T: Display + PartialOrd> Pair<T> { fncmd_display(&self) { ifself.x >= self.y { println!("The largest member is x = {}", self.x); } else { println!("The largest member is y = {}", self.y); } } }