NodeSeq matching fails, but Elem's equivalent matching succeeds - why? how to fix?

OK, this is me, and the newbie (new to Scala), and my colleague (more advanced on Scala). Scala 2.8.0. Here is a demonstration of the problem:

// I've got a var with some XML in it
scala> qq2
res9: scala.xml.Elem = <a><a1>A1</a1><bs><b>B1</b><c>C1</c><d>D1</d></bs></a>

// I can extract sub-elements
scala> (qq2 \ "bs")
res10: scala.xml.NodeSeq = NodeSeq(<bs><b>B1</b><c>C1</c><d>D1</d></bs>)

// but if I try to match against this NodeSeq, it fails to match
scala> (qq2 \ "bs") match {case <bs>{x @ _*}</bs> => 
            for (xx <- x) println("matched " + xx) }      
scala.MatchError: <bs><b>B1</b><c>C1</c><d>D1</d></bs>
        at .<init>(<console>:7)
        at ...

// but if I just type in the XML directly, it works as expected
scala> <bs><b>B1</b><c>C1</c><d>D1</d></bs> match {
          case <bs>{x @ _*}</bs> => for (xx <- x) println("matched " + xx) }
matched <b>B1</b>
matched <c>C1</c>
matched <d>D1</d>

// presumably because it of type Elem, not NodeSeq
scala> <bs><b>B1</b><c>C1</c><d>D1</d></bs>
res13: scala.xml.Elem = <bs><b>B1</b><c>C1</c><d>D1</d></bs>

So, two questions. One: wtf? Why is that? Two: I cannot find a way to convert NodeSeq to Elem, so the match will work. What is the right way to do this?

+3
source share
2 answers

The method \returns a sequence of valid answers, not one element. Here:

scala> val qq2 = <a><a1>A1</a1><bs><b>B1</b><c>C1</c><d>D1</d></bs></a>
qq2: scala.xml.Elem = <a><a1>A1</a1><bs><b>B1</b><c>C1</c><d>D1</d></bs></a>

scala> (qq2 \ "bs") match {case Seq(<bs>{x @ _*}</bs>) => //<-I added a Seq()
     |     for (xx <- x) println("matched " + xx) }
matched <b>B1</b>
matched <c>C1</c>
matched <d>D1</d>
+4
source

A NodeSeqis a collection of Nodes, not a single node:

scala> (<a><b>1</b><b>2</b></a>) \ "b"
res0: scala.xml.NodeSeq = NodeSeq(<b>1</b>, <b>2</b>)

, :

scala> ((<a><b>1</b><b>2</b></a>) \ "b").map(_ match {
     |   case <b>{x}</b> => true
     |   case _ => false
     | })
res24: scala.collection.immutable.Seq[Boolean] = List(true, true)

(, , Elems, . , , , Elem.)

+6

Source: https://habr.com/ru/post/1759587/


All Articles