我正在尝试学习Shapeless,并且我想定义一个monoid来将shapeless记录的实例加在一起。请注意,我使用的是algebird monoid(不是scalaz),但我确定它们非常相似。这是我想做的一个例子:
val result = Monoid.sum(
('a ->> 1) :: ('b ->> 1) :: HNil,
('a ->> 4) :: ('b ->> 3) :: HNil,
('a ->> 2) :: ('b ->> 6) :: HNil)
// result should be: ('a ->> 7) :: ('b ->> 10) :: HNil
我弄清楚了如何为HList编写monoid实例,如下所示:
implicit val HNilGroup: Group[HNil] = new ConstantGroup[HNil](HNil)
implicit val HNilMonoid: Monoid[HNil] = HNilGroup
class HListMonoid[H, T <: HList](implicit hmon: Monoid[H], tmon: Monoid[T]) extends Monoid[::[H, T]] {
def zero = hmon.zero :: tmon.zero
def plus(a: ::[H, T], b: ::[H, T]) =
hmon.plus(a.head, b.head) :: tmon.plus(a.tail, b.tail)
}
implicit def hListMonoid[H, T <: HList](implicit hmon: Monoid[H], tmon: Monoid[T]) = new HListMonoid[H, T]
这使我可以编写:
val result = Monoid.sum(
1 :: 1 :: HNil,
4 :: 3 :: HNil,
2 :: 6 :: HNil)
// result is 7 :: 10 :: HNil
现在我可以求和HList实例,缺少的部分似乎是在定义可以对求形式为
('name ->> 1)
的字段求和的monoid实例,我的IDE告诉我它具有以下类型:Int with record.KeyTag[Symbol with tag.Tagged[Constant(name).type] { .. }, Int] { .. }
。在这一点上,我很困惑,因为我只是不知道该怎么做。 最佳答案
您非常接近-您只需要在每个归纳步骤中添加FieldType[K, H]
而不是H
,并使用field[K]
适本地键入从Monoid[H]
获得的值:
import com.twitter.algebird._
import shapeless._, labelled._, record._, syntax.singleton._
implicit val hnilGroup: Group[HNil] = new ConstantGroup[HNil](HNil)
implicit val hnilMonoid: Monoid[HNil] = hnilGroup
implicit def hconsMonoid[K, H, T <: HList](implicit
hm: Monoid[H],
tm: Monoid[T]
): Monoid[FieldType[K, H] :: T] =
Monoid.from(field[K](hm.zero) :: tm.zero) {
case (hx :: tx, hy :: ty) => field[K](hm.plus(hx, hy)) :: tm.plus(tx, ty)
}
或者,您可以使用Shapeless的
TypeClass
机制,该机制还为您提供了案例类的实例,等等:import com.twitter.algebird._
import shapeless._, ops.hlist._, ops.record._, record._, syntax.singleton._
object MonoidHelper extends ProductTypeClassCompanion[Monoid] {
object typeClass extends ProductTypeClass[Monoid] {
def emptyProduct: Monoid[HNil] = Monoid.from[HNil](HNil)((_, _) => HNil)
def product[H, T <: HList](hm: Monoid[H], tm: Monoid[T]): Monoid[H :: T] =
Monoid.from(hm.zero :: tm.zero) {
case (hx :: tx, hy :: ty) => hm.plus(hx, hy) :: tm.plus(tx, ty)
}
def project[F, G](m: => Monoid[G], to: F => G, from: G => F): Monoid[F] =
Monoid.from(from(m.zero))((x, y) => from(m.plus(to(x), to(y))))
}
implicit def deriveRecordInstance[
R <: HList,
K <: HList,
H,
T <: HList
](implicit
vs: Values.Aux[R, H :: T],
vm: Lazy[Monoid[H :: T]],
ks: Keys.Aux[R, K],
zk: ZipWithKeys.Aux[K, H :: T, R]
): Monoid[R] = typeClass.project(vm.value, vs(_), zk(_: H :: T))
}
import MonoidHelper._
我在这里提供了一个
derivedRecordInstance
方法,使它可以在记录上工作,但我对此感到有些惊讶,这是必要的—在将来的Shapeless版本中,有可能免费获得记录实例。关于scala - 为无形记录定义类型类,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/28891198/