在object Sized
中(在“shapeless/size.scala”中),存在unapplySeq
,不幸的是,它不提供静态检查。例如,下面的示例代码在运行时将失败,并带有MatchError
:
Sized(1, 2, 3) match { case Sized(x, y) => ":(" }
最好是使用
unapply
方法,返回元组的Option,然后根据Sized实例的大小构造元组的具体形状。例如:Sized(1) => x
Sized(1, 2) => (x, y)
Sized(1, 2, 3) => (x, y, z)
在那种情况下,先前的代码片段将无法使用
constructor cannot be instantiated to expected type
进行编译。请帮我实现
unapply
的object Sized
。这个方法已经在任何地方实现了吗?提前致谢!
最佳答案
这绝对是可能的(至少对于Sized
小于23的N
而言),但是我能想到的唯一方法(禁止宏等)有点凌乱。首先,我们需要一个类型类,该类型类将帮助我们将大小合适的集合转换为HList
:
import shapeless._, Nat._0
import scala.collection.generic.IsTraversableLike
trait SizedToHList[R, N <: Nat] extends DepFn1[Sized[R, N]] {
type Out <: HList
}
object SizedToHList {
type Aux[R, N <: Nat, Out0 <: HList] = SizedToHList[R, N] { type Out = Out0 }
implicit def emptySized[R]: Aux[R, Nat._0, HNil] = new SizedToHList[R, _0] {
type Out = HNil
def apply(s: Sized[R, _0]) = HNil
}
implicit def otherSized[R, M <: Nat, T <: HList](implicit
sth: Aux[R, M, T],
itl: IsTraversableLike[R]
): Aux[R, Succ[M], itl.A :: T] = new SizedToHList[R, Succ[M]] {
type Out = itl.A :: T
def apply(s: Sized[R, Succ[M]]) = s.head :: sth(s.tail)
}
def apply[R, N <: Nat](implicit sth: SizedToHList[R, N]): Aux[R, N, sth.Out] =
sth
def toHList[R, N <: Nat](s: Sized[R, N])(implicit
sth: SizedToHList[R, N]
): sth.Out = sth(s)
}
然后,我们可以定义一个使用此转换的提取器对象:
import ops.hlist.Tupler
object SafeSized {
def unapply[R, N <: Nat, L <: HList, T <: Product](s: Sized[R, N])(implicit
itl: IsTraversableLike[R],
sth: SizedToHList.Aux[R, N, L],
tupler: Tupler.Aux[L, T]
): Option[T] = Some(sth(s).tupled)
}
然后:
scala> val SafeSized(x, y, z) = Sized(1, 2, 3)
x: Int = 1
y: Int = 2
z: Int = 3
但:
scala> val SafeSized(x, y) = Sized(1, 2, 3)
<console>:18: error: wrong number of arguments for object SafeSized
val SafeSized(x, y) = Sized(1, 2, 3)
^
<console>:18: error: recursive value x$1 needs type
val SafeSized(x, y) = Sized(1, 2, 3)
^
如预期的。
关于scala - 缺少Sized.unapply,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/23090657/