说我有以下功能:
def getRemoteThingy(id: Id): EitherT[Future, NonEmptyList[Error], Thingy]
鉴于List[Id]
,我可以使用List[Thingy]
轻松检索Traverse[List]
:
val thingies: EitherT[Future, NonEmptyList[Error], List[Thingy]] =
ids.traverseU(getRemoteThingy)
它会使用基于Applicative
的{{1}} EitherT
实例,因此我只会获得第一个flatMap
,它不会附加所有NonEmptyList[Error]
。这是对的吗?
现在,如果我真的想积累错误,我可以在EitherT
和Validation
之间切换。例如:
def thingies2: EitherT[Future, NonEmptyList[Error], List[Thingy]] =
EitherT(ids.traverseU(id => getRemoteThingy(id).validation).map(_.sequenceU.disjunction))
它有效,我最后得到了所有错误,但它非常麻烦。我可以使用Applicative
撰写
type ValidationNelError[A] = Validation[NonEmptyList[Error], A]
type FutureValidationNelError[A] = Future[ValidationNelError[A]]
implicit val App: Applicative[FutureValidationNelError] =
Applicative[Future].compose[ValidationNelError]
def thingies3: EitherT[Future, NonEmptyList[Error], List[Thingy]] =
EitherT(
ids.traverse[FutureValidationNelError, Thingy](id =>
getRemoteThingy(id).validation
).map(_.disjunction)
)
比其他人更长,但所有管道都可以在代码库中轻松共享。
您如何看待我的解决方案?有没有更优雅的方法来解决这个问题?你通常如何处理它?</ p>
非常感谢。
修改
我有一种疯狂的解决方案,使用自然变换进行皮条客Traversable
。您显然需要类型别名才能工作,这就是我重新定义getRemoteThingy
:
type FutureEitherNelError[A] = EitherT[Future, NonEmptyList[String], A]
def getRemoteThingy2(id: Id): FutureEitherNelError[Thingy] = getRemoteThingy(id)
implicit val EitherTToValidation = new NaturalTransformation[FutureEitherNelError, FutureValidationNelError] {
def apply[A](eitherT: FutureEitherNelError[A]): FutureValidationNelError[A] = eitherT.validation
}
implicit val ValidationToEitherT = new NaturalTransformation[FutureValidationNelError, FutureEitherNelError] {
def apply[A](validation: FutureValidationNelError[A]): FutureEitherNelError[A] = EitherT(validation.map(_.disjunction))
}
implicit class RichTraverse[F[_], A](fa: F[A]) {
def traverseUsing[H[_]]: TraverseUsing[F, H, A] = TraverseUsing(fa)
}
case class TraverseUsing[F[_], H[_], A](fa: F[A]) {
def apply[G[_], B](f: A => G[B])(implicit GtoH: G ~> H, HtoG: H ~> G, A: Applicative[H], T: Traverse[F]): G[F[B]] =
HtoG(fa.traverse(a => GtoH(f(a))))
}
def thingies4: FutureEitherNelError[List[Thingy]] =
ids.traverseUsing[FutureValidationNelError](getRemoteThingy2)