1

我有一个简单的服务定义

trait Service[-Req, +Rep] extends (Req => Future[Rep]) {
    def apply(request: Req): Future[Rep]
}

以及如何链接服务的方法:

implicit class ServiceOps1[Req, RepIn](service: Service[Req, RepIn]) {
    def -->[RepOut](next: Service[RepIn, RepOut]): Service[Req, RepOut] =
        (req: Req) => service(req) flatMap next
}

我想将我的所有服务(假设它们可以组合)放入HList并从HList服务组合中构建。

这是我的Resolver

  trait Resolver[L <: HList, In] {
    type Out
    def apply(l: L): Service[In, Out]
  }

  object Resolver {
    def apply[L <: HList, In](implicit resolver: Resolver[L, In]): Aux[L, In, resolver.Out] = resolver

    type Aux[L <: HList, In, Out0] = Resolver[L, In] { type Out = Out0 }

    implicit def hsingleResolver[I, O, S <: Service[I, O]]: Aux[S :: HNil, I, O] =
      new Resolver[S :: HNil, I] {
        type Out = O
        def apply(l : S :: HNil): Service[I, Out] = l.head
      }

    implicit def hlistResolver[I, O, S <: Service[I, O], T <: HList](implicit res : Resolver[T, O]): Aux[S :: T, I, res.Out] =
      new Resolver[S :: T, I] {
        type Out = res.Out

        def apply(l: S :: T): Service[I, res.Out] = l.head --> res(l.tail)
      }
  }

我有服务

object S extends Service[Int, String] {
    def apply(request: Int): Future[String] =  Future successful request.toString
}

当我尝试解决简单链时

implicitly[Resolver[S.type :: HNil, Int]].apply(S :: HNil)

我得到一个隐含的未找到错误。

4

2 回答 2

1

不知道为什么这被否决了,也许你可以提供一个示例回购。无论如何,这是部分答案,也许这会让你重回正轨。

1) 在你的 build.sbt 中启用隐式调试选项:scalacOptions += "-Xlog-implicits"

2) 为 HNil 定义一个解析器:implicit def hNilResolver[I]: Aux[HNil, I, HNil] = ???

3)在调试输出之后,修复剩余部分:)

于 2017-05-08T00:48:42.200 回答
1

问题在于您的隐含的类型签名:implicit def hsingleResolver[I, O, S <: Service[I, O]]: Aux[S :: HNil, I, O]. 在这里,因为S <: Service[I, O]您希望O根据 的类型进行推断S,但不幸的是,它不是这样工作的。S <: Service[I, O]推断类型参数时不考虑类型参数列表中的子句。当您调用时会发生什么implicitly[Resolver[S.type :: HNil, Int]],编译器会看到它S = S.typeI = Int并且O是未知的O = Nothing。然后它继续检查S <: Service[Int,Nothing]哪个是错误的并且隐式搜索失败。

S <: Service[I, O]因此,要解决此问题,您必须将隐式搜索/类型推断过程的一部分作为事实。例如,通过以下方式之一:

implicit def hsingleResolver[I, O, S](implicit ev: S <:< Service[I,O]): Aux[S :: HNil, I, O] // option 1
implicit def hsingleResolver[I, O, S]: Aux[(S with Service[I,O]) :: HNil, I, O] // option 2

Resolver作为旁注:用以下方式定义不是更有意义吗?

trait Resolver[L <: HList] {
  type In
  type Out
  def apply(l: L): Service[In, Out]
}

object Resolver {
  def apply[L <: HList](implicit resolver: Resolver[L]): Aux[L, resolver.In, resolver.Out] = resolver

  type Aux[L <: HList, In0, Out0] = Resolver[L] { type In = In0; type Out = Out0 }

  ...
}

因为In也是依赖L,就像Out

于 2017-05-10T09:41:55.890 回答