2017-09-18 10:47:33 +00:00
|
|
|
|
|
|
|
|
2017-02-18 08:00:36 +00:00
|
|
|
|
2017-05-17 12:19:44 +00:00
|
|
|
#![warn(needless_pass_by_value)]
|
2017-02-20 09:18:31 +00:00
|
|
|
#![allow(dead_code, single_match, if_let_redundant_pattern_matching, many_single_char_names)]
|
2017-02-18 08:00:36 +00:00
|
|
|
|
2017-10-08 01:23:41 +00:00
|
|
|
use std::borrow::Borrow;
|
|
|
|
use std::convert::AsRef;
|
|
|
|
|
2017-02-20 07:45:37 +00:00
|
|
|
// `v` should be warned
|
2017-02-18 08:00:36 +00:00
|
|
|
// `w`, `x` and `y` are allowed (moved or mutated)
|
|
|
|
fn foo<T: Default>(v: Vec<T>, w: Vec<T>, mut x: Vec<T>, y: Vec<T>) -> Vec<T> {
|
|
|
|
assert_eq!(v.len(), 42);
|
|
|
|
|
|
|
|
consume(w);
|
|
|
|
|
|
|
|
x.push(T::default());
|
|
|
|
|
|
|
|
y
|
|
|
|
}
|
|
|
|
|
|
|
|
fn consume<T>(_: T) {}
|
|
|
|
|
2017-02-20 03:50:31 +00:00
|
|
|
struct Wrapper(String);
|
|
|
|
|
|
|
|
fn bar(x: String, y: Wrapper) {
|
|
|
|
assert_eq!(x.len(), 42);
|
|
|
|
assert_eq!(y.0.len(), 42);
|
|
|
|
}
|
|
|
|
|
2017-10-08 01:23:41 +00:00
|
|
|
// V implements `Borrow<V>`, but should be warned correctly
|
|
|
|
fn test_borrow_trait<T: Borrow<str>, U: AsRef<str>, V>(t: T, u: U, v: V) {
|
2017-02-20 03:50:31 +00:00
|
|
|
println!("{}", t.borrow());
|
2017-10-08 01:23:41 +00:00
|
|
|
println!("{}", u.as_ref());
|
|
|
|
consume(&v);
|
2017-02-20 03:50:31 +00:00
|
|
|
}
|
|
|
|
|
2017-02-18 08:00:36 +00:00
|
|
|
// ok
|
|
|
|
fn test_fn<F: Fn(i32) -> i32>(f: F) {
|
|
|
|
f(1);
|
|
|
|
}
|
|
|
|
|
2017-02-20 07:45:37 +00:00
|
|
|
// x should be warned, but y is ok
|
|
|
|
fn test_match(x: Option<Option<String>>, y: Option<Option<String>>) {
|
|
|
|
match x {
|
|
|
|
Some(Some(_)) => 1, // not moved
|
|
|
|
_ => 0,
|
|
|
|
};
|
|
|
|
|
|
|
|
match y {
|
|
|
|
Some(Some(s)) => consume(s), // moved
|
|
|
|
_ => (),
|
|
|
|
};
|
|
|
|
}
|
|
|
|
|
2017-02-20 09:18:31 +00:00
|
|
|
// x and y should be warned, but z is ok
|
|
|
|
fn test_destructure(x: Wrapper, y: Wrapper, z: Wrapper) {
|
|
|
|
let Wrapper(s) = z; // moved
|
|
|
|
let Wrapper(ref t) = y; // not moved
|
2017-02-21 09:44:31 +00:00
|
|
|
let Wrapper(_) = y; // still not moved
|
|
|
|
|
2017-02-20 07:45:37 +00:00
|
|
|
assert_eq!(x.0.len(), s.len());
|
2017-02-20 09:18:31 +00:00
|
|
|
println!("{}", t);
|
2017-02-20 07:45:37 +00:00
|
|
|
}
|
|
|
|
|
2017-10-08 01:23:41 +00:00
|
|
|
trait Foo {}
|
|
|
|
|
|
|
|
// `S: Serialize` can be passed by value
|
|
|
|
trait Serialize {}
|
|
|
|
impl<'a, T> Serialize for &'a T where T: Serialize {}
|
|
|
|
impl Serialize for i32 {}
|
|
|
|
|
|
|
|
fn test_blanket_ref<T: Foo, S: Serialize>(_foo: T, _serializable: S) {}
|
|
|
|
|
2017-02-18 08:00:36 +00:00
|
|
|
fn main() {}
|