Scala @ operator

后端 未结 5 1639
别那么骄傲
别那么骄傲 2020-11-27 09:32

What does Scala\'s @ operator do?

For example, in the blog post Formal Language Processing in Scala, Part 2 there is a something like this

c         


        
相关标签:
5条回答
  • 2020-11-27 10:13

    It enables one to bind a matched pattern to a variable. Consider the following, for instance:

    val o: Option[Int] = Some(2)
    

    You can easily extract the content:

    o match {
      case Some(x) => println(x)
      case None =>
    }
    

    But what if you wanted not the content of Some, but the option itself? That would be accomplished with this:

    o match {
      case x @ Some(_) => println(x)
      case None =>
    }
    

    Note that @ can be used at any level, not just at the top level of the matching.

    0 讨论(0)
  • 2020-11-27 10:13

    @ can be used to bind a name to a successfully matched pattern, or subpattern. Patterns can be used in pattern matching, the left hand side of the <- in for comprehensions, and in destructuring assigments.

    scala> val d@(c@Some(a), Some(b)) = (Some(1), Some(2))
    d: (Some[Int], Some[Int]) = (Some(1),Some(2))
    c: Some[Int] = Some(1)
    a: Int = 1
    b: Int = 2
    
    scala> (Some(1), Some(2)) match { case d@(c@Some(a), Some(b)) => println(a, b, c, d) }
    (1,2,Some(1),(Some(1),Some(2)))
    
    scala> for (x@Some(y) <- Seq(None, Some(1))) println(x, y)
    (Some(1),1)
    
    scala> val List(x, xs @ _*) = List(1, 2, 3) 
    x: Int = 1
    xs: Seq[Int] = List(2, 3)
    
    0 讨论(0)
  • 2020-11-27 10:16

    Allows you to match the top-level of a pattern. Example:

    case x @ "three" => assert(x.equals("three"))
    case x @ Some("three") => assert(x.get.equals("three")))
    case x @ List("one", "two", "three") => for (element <- x) { println(element) }
    
    0 讨论(0)
  • 2020-11-27 10:21

    It sets the value of x to the pattern which matches. In your example, x would therefore be Some(Nil) (as you could determine from a call to println)

    0 讨论(0)
  • 2020-11-27 10:34

    When pattern matching variable @ pattern binds variable to the value matched by pattern if the pattern matches. In this case that means that the value of x will be Some(Nil) in that case-clause.

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