我试图编写一个可以处理任何序列的排序函数,并返回传递给该函数的相同序列。所以我提出了这个解决方案:
def qckSrt[U: Ordering, C <: Seq[U]](xs: C with SeqLike[U, C])
(implicit bf: CanBuildFrom[C, U, C]): C = {
val n = xs.length
val b = bf()
if (n <= 1) xs
else {
val p = xs.head
val (left, right) = xs.tail partition {
implicitly[Ordering[U]].lteq(_, p)
}
b ++= qckSrt(left)
b += p
b ++= qckSrt(right)
b.result()
}
}
所以它适用于列表,向量,数组缓冲区......但它无法使用普通数组:
scala> qckSrt(Array(1, 2, 6, 2, 5))
<console>:16: error: inferred type arguments [Int,Any] do not conform to method qckSrt's type parameter bounds [U,C <: Seq[U]]
qckSrt(Array(1, 2, 6, 2, 5))
^
<console>:16: error: type mismatch;
found : scala.collection.mutable.ArrayOps.ofInt
required: C with scala.collection.SeqLike[U,C]
qckSrt(Array(1, 2, 6, 2, 5))
^
<console>:16: error: No implicit Ordering defined for U.
qckSrt(Array(1, 2, 6, 2, 5))
有没有办法让数组也能用于数组呢?
答案 0 :(得分:2)
您可以使用隐式转换替换继承。对于数组,这将使用隐式包装转换,对于已经SeqLike
的类型,它将使用子类型证据(implicitly[C[U] <:< SeqLike[U, C[U]]]
):
import scala.collection._
import scala.collection.generic.CanBuildFrom
def qckSrt[U: Ordering, C[_]](xs: C[U])(implicit
bf: CanBuildFrom[C[U], U, C[U]],
asSeq: C[U] => SeqLike[U, C[U]]
): C[U] = {
val n = xs.length
val b = bf()
if (n <= 1) xs
else {
val p = xs.head
val (left, right) = xs.tail partition {
implicitly[Ordering[U]].lteq(_, p)
}
b ++= qckSrt(left)
b += p
b ++= qckSrt(right)
b.result()
}
}
添加一个&#34;洞&#34; C
需要U
类型才能在呼叫站点正确推断。