的新手,并按照其中一个例子让Swing在Scala中工作,我有一个问题.基于,
listenTo(celsius, fahrenheit)
   reactions += {
      case EditDone(`fahrenheit`) =>
        val f = Integer.parseInt(fahrenheit.text)
        celsius.text = ((f - 32) * 5 / 9).toString
      case EditDone(`celsius`) =>
        val c = Integer.parseInt(celsius.text)
        fahrenheit.text = ((c * 9) / 5 + 32).toString
    }
    为什么我必须在EditDone(`fahrenheit`)和EditDone(`celsius`)中使用反引号(`)来识别我的文本域组件,例如华氏温度和摄氏温度?为什么我不能只使用EditDone(fahrenheit)呢?
谢谢
这与模式匹配有关.如果在模式匹配中使用小写名称:
reactions += {
  case EditDone(fahrenheit) => // ...
}
    然后匹配的对象(在这种情况下为事件)将与任何小部件上的任何EditDone事件匹配.它会将对窗口小部件的引用绑定到名称fahrenheit.华氏温度成为该案例范围内的新价值.
但是,如果你使用反引号:
val fahrenheit = new TextField
...
reactions += {
  case EditDone(`fahrenheit`) => // ...
}
    然后,只有当EditDone事件引用之前定义的值fahrenheit引用的现有对象时,模式匹配才会成功.
请注意,如果值华氏度的名称是大写的,就像华氏度,那么你就不必使用反引号 – 就好像你已经把它们放了一样.如果要在范围中包含要匹配的常量或对象,这将非常有用 – 这些常量或对象通常具有大写名称.
翻译自:https://stackoverflow.com/questions/6564220/backquote-used-in-scala-swing-event