Why can I compare a String to a &str using if, but not when using match?

后端 未结 1 1250
小鲜肉
小鲜肉 2021-02-05 05:34

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 s

1条回答
  •  野性不改
    2021-02-05 06:18

    I want to know why the comparison works when if but not using match.

    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 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 Strings 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")
    }
    

    0 讨论(0)
提交回复
热议问题