下面的 Scala 类使用 JDOM 解析文件并将文件中的值填充到 Scala 不可变 Map 中。在 Map 上使用+运算符似乎没有任何效果,因为 Map 始终为零。
import java.io.File
import org.jsoup.nodes.Document
import org.jsoup.Jsoup
import org.jsoup.select.Elements
import org.jsoup.nodes.Element
import scala.collection.immutable.TreeMap
class JdkElementDetail() {
  var fileLocation: String = _
  def this(fileLocation: String) = {
      this()
      this.fileLocation = fileLocation;
    }
  def parseFile : Map[String , String] = {
    val jdkElementsMap: Map[String, String] = new TreeMap[String , String];
    val input: File = new File(fileLocation);
    val doc: Document = Jsoup.parse(input, "UTF-8", "http://example.com/");
    val e: Elements = doc.getElementsByAttribute("href");
    val href: java.util.Iterator[Element] = e.iterator();
    while (href.hasNext()) {
      var objectName = href.next();
      var hrefValue = objectName.attr("href");
      var name = objectName.text();
      jdkElementsMap + name -> hrefValue
            println("size is "+jdkElementsMap.size)
    }
    jdkElementsMap
  }
}
println("size is "+jdkElementsMap.size) always prints "size is 0"
为什么大小总是零,我没有正确添加到地图中吗?
唯一的解决方法是转换jdkElementsMap为 avar然后使用以下内容吗?
jdkElementsMap += name -> hrefValue
在这里删除 while 循环是我更新的对象:
package com.parse
import java.io.File
import org.jsoup.nodes.Document
import org.jsoup.Jsoup
import org.jsoup.select.Elements
import org.jsoup.nodes.Element
import scala.collection.immutable.TreeMap
import scala.collection.JavaConverters._
class JdkElementDetail() {
  var fileLocation: String = _
  def this(fileLocation: String) = {
      this()
      this.fileLocation = fileLocation;
    }
  def parseFile : Map[String , String] = {
    var jdkElementsMap: Map[String, String] = new TreeMap[String , String];
    val input: File = new File(fileLocation);
    val doc: Document = Jsoup.parse(input, "UTF-8", "http://example.com/");
    val elements: Elements = doc.getElementsByAttribute("href");
    val elementsScalaIterator = elements.iterator().asScala
    elementsScalaIterator.foreach {
      keyVal => {
          var hrefValue = keyVal.attr("href");
          var name = keyVal.text();
          println("size is "+jdkElementsMap.size)
          jdkElementsMap += name -> hrefValue
       }
    }
    jdkElementsMap
  }
}