ListNode示例,取自 Scalas 主页,如下所示:
case class ListNode[+T](h: T, t: ListNode[T]) {
def head: T = h
def tail: ListNode[T] = t
def prepend[U >: T](elem: U): ListNode[U] =
ListNode(elem, this)
}
使用这个类,我们可以创建如下对象:
val empty: ListNode[Null] = ListNode(null, null)
val strList: ListNode[String] = empty.prepend("hello")
.prepend("world")
val anyList: ListNode[Any] = strList.prepend(12345)
如我们所见,我们可以在String
节点前添加一个整数值。我想,这是可行的,因为类型参数U
将被自动设置为Any
,当给prepend
方法提供整数时(因为Int
不是 的超类型String
)。
当尝试使用自己的下限示例时,我会收到错误消息:
scala> class E[T >: String]
defined class E
scala> new E[Any]
res1: E[Any] = E@135f0a
scala> new E[Int]
<console>:11: error: type arguments [Int] do not conform to class E's type param
eter bounds [T >: String]
val res2 =
^
<console>:12: error: type arguments [Int] do not conform to class E's type param
eter bounds [T >: String]
new E[Int]
^
为什么Int
这里的类型不会自动被视为示例Any
中的类型ListNode
?
更新 1:这也有效(没有明确地说 newListNode
应该是 type Any
)
scala> val empty: ListNode[Null] = ListNode(null, null)
empty: example.listNode.ListNode[Null] = ListNode(null,null)
scala> empty.prepend("hello").prepend("world")
res0: example.listNode.ListNode[java.lang.String] = ListNode(world,ListNode(hell
o,ListNode(null,null)))
scala> val strList: ListNode[String] = empty.prepend("hello").prepend("world")
strList: example.listNode.ListNode[String] = ListNode(world,ListNode(hello,ListN
ode(null,null)))
scala> strList.prepend(12345)
res1: example.listNode.ListNode[Any] = ListNode(12345,ListNode(world,ListNode(he
llo,ListNode(null,null))))