我是Scala的新手,来自python并试图围绕一些语法和约定。我很好奇为什么以下不起作用:
scala> val tmp = List[Int].apply(1,2,3)
<console>:7: error: missing arguments for method apply in object List;
follow this method with `_' if you want to treat it as a partially applied function
val tmp = List[Int].apply(1,2,3)
然而,当我执行以下操作时,我没有收到任何错误:
scala> val tmp = List.apply(1,2,3)
tmp: List[Int] = List(1,2,3)
scala> val tmp = List[Int](1,2,3)
tmp: List[Int] = List(1,2,3)
为什么List[Int].apply()
会给我一个错误?
感谢您的帮助!
答案 0 :(得分:12)
因为你的语法错了。如果你想要等同于List.apply(1,2,3)
,那么它应该是:
val tmp = List.apply[Int](1,2,3)
在表达式List.apply(1,2,3)
中,List
引用了伴随对象,对象不能具有泛型。因此,您必须将泛型放在方法上。
供参考,您可以在List
的源代码中看到这一点:
object List extends SeqFactory[List] {
...
override def apply[A](xs: A*): List[A] = xs.toList
当您编写List[Int].apply(1,2,3)
时,Scala会将其解释为(List[Int]).apply(1,2,3)
。 List[Int]
被解释为没有括号List[Int]()
,相当于List.apply[Int]
。由于apply
需要参数,Scala会向您发出错误消息,告诉您它已丢失。