Reputation: 9354
In the following code
val x = 5
val y = 4 match {
case x => true
case _ => false
}
the value y
is true. Scala interprets x
to be a free variable in the pattern match instead of binding it to the variable with the same name in the scope.
How to solve this problem?
Upvotes: 6
Views: 1201
Reputation: 40461
Invoking the least astonishment principle, I will simply do:
val x = 5
val y = 4 match {
case z if z == x => true
case _ => false
}
Upvotes: 7
Reputation: 9354
Backticking the variable indicates to bind a scoped variable:
val x = 5
val y = 4 match { case `x` => true; case _ => false }
returns false
.
Alternatively, if a variable starts with an uppercase letter, it binds to a scoped variable without backticking.
Upvotes: 12