0

如果 PartialFunction 是一个特征,那么这段代码是如何工作的?我们是在创建一个 trait 的对象吗?

  def x=new PartialFunction[Any, Unit] {
    def isDefinedAt(x: Any) = x match {
      case "hello" => true
      case "world" => true
      case _=> false
    }
    def apply(x: Any) = x match {
      case "hello" => println("Message received hello")
      case "world"=> println("Message received world")
    }
  }

  x("hello")
  if (x.isDefinedAt("bye") ){ x("bye")}
  x("bye")
4

1 回答 1

0

阅读有关匿名实例创建的信息。

例如考虑

trait Runnable {
  def run: Unit
}

创建Runnable对象有两种方式

  1. 创建一个Foo扩展 Runnable 的类并创建Foo

    class Foo extends Runnable {
     def run: Unit = println("foo")
    }
    
    val a: Runnable = new Foo()
    
  2. 创建 Runnable 的匿名实例(您无需创建中间类(类似于Foo))。这个很方便

    val a: Runnable = new Runnable {
       override def run: Unit = println("foo")
    } //no need to create an intermediate class.
    

它与PartialFunction特质相同。

包括@Tzach Zohar 的评论

您正在创建特征的匿名实现 - 就像在 Java 中创建接口的匿名实现一样。——查克·佐哈尔

于 2017-01-13T10:46:30.893 回答