How do I check if a thing is in a vector
Solution 1:
There is the contains
(https://doc.rust-lang.org/std/vec/struct.Vec.html#method.contains) method on Vec
.
Example:
let n = vec!["-i","mmmm"];
if n.contains(&"-i") {
println!("yes");
} else {
println!("no");
}
It is somewhat restrictive, for instance it doesn't allow checking if a Vec<String>
contains x
if x
is of type &str
. In that case, you will have to use the .iter().any(...)
method described by @harmic
Solution 2:
While you could construct a loop, an easier way would be to use the any
method on an iterator for your vector.
any
takes a closure that returns true or false. The closure is called for each of the items in turn until it finds one that returns true. Note that the iterator returns references to the values (thus the &
in |&i|
).
let n= vec!["-i","mmmm"];
if n.iter().any(|&i| i=="-i") {
println!("Yes");
}
Since any
operates on iterators, it can be used with any type of container. There are a large number of similar methods available on iterators, such as all
, find
, etc. See the standard library documentation for Iterators
.