I'm trying to implement a function that reads command line arguments and compares them to hard-coded string literals.
When I do the comparison with an if
statement it works like a charm:
fn main() {
let s = String::from("holla!");
if s == "holla!" {
println!("it worked!");
}
}
But using a match
statement (which I guess would be more elegant):
fn main() {
let s = String::from("holla!");
match s {
"holla!" => println!("it worked!"),
_ => println!("nothing"),
}
}
I keep getting an error from the compiler that a String
was expected but a &static str
was found:
error[E0308]: mismatched types
--> src/main.rs:5:9
|
5 | "holla!" => println!("it worked!"),
| ^^^^^^^^ expected struct `std::string::String`, found reference
|
= note: expected type `std::string::String`
found type `&'static str`
I've seen How to match a String against string literals in Rust? so I know how to fix it, but I want to know why the comparison works when if
but not using match
.
I want to know why the comparison works when
if
but not usingmatch
.
It's not so much about if
and more because you've used ==
in the condition. The condition in an if
statement is any expression of type bool
; you just happen to have chosen to use ==
there.
The ==
operator is really a function associated with the PartialEq
trait. This trait can be implemented for any pair of types. And, for convenience, String
has implementations for PartialEq<str>
and PartialEq<&str>
, among others - and vice versa.
On the other hand, match
expressions use pattern matching for comparison, not ==
. A &'static str
literal, like "holla!"
, is a valid pattern, but it can never match a String
, which is a completely different type.
Pattern matching lets you concisely compare parts of complex structures, even if the whole thing isn't equal, as well as bind variables to pieces of the match. While String
s don't really benefit from that, it's very powerful for other types, and has an entirely different purpose than ==
.
Note that you can use pattern matching with if
by instead using the if let
construct. Your example would look like this:
if let "holla!" = &*s {
println!("it worked!");
}
Conversely, one way to use ==
inside a match
is like this:
match s {
_ if s == "holla!" => println!("it worked!"),
_ => println!("nothing"),
}
Or, as @ljedrz suggested:
match s == "holla!" {
true => println!("it worked!"),
_ => println!("nothing")
}