无形:通过案例类或字段参数化的通用镜头

时间:2014-07-30 14:37:20

标签: scala scalaz shapeless lenses

基于:

import shapeless._

case class Content(field: Int)
lens[Content] >> 'field

我正在尝试制作镜头创作方法,其中包括:

def makeLens[T <: Product](s: Symbol) = lens[T] >> s

但似乎并不明显。有可能吗?

如果没有,我试图实现的最终结果是使用案例类内容更新嵌套地图的通用方法,例如:

import scalaz._
import Scalaz._
import PLens._
import shapeless._
import shapeless.contrib.scalaz._

def nestedMapLens[R, T <: Product](outerKey: String, innerKey: Int, f: Symbol) =
  ~((lens[T] >> f).asScalaz) compose mapVPLens(innerKey) compose mapVPLens(outerKey)

当用T和f参数化时,我无法使它工作。还有其他惯用的无样板解决方案吗?

谢谢!

1 个答案:

答案 0 :(得分:10)

makeLens的问题是我们想要的问题,例如: makeLens[Content]('foo)在编译时失败,而普通的Symbol参数不可能。您需要一些额外的隐式参数来跟踪给定名称的单例类型,并提供证据表明它是案例类成员的名称:

import shapeless._, ops.record.{ Selector, Updater }, record.FieldType

class MakeLens[T <: Product] {
  def apply[K, V, R <: HList](s: Witness.Aux[K])(implicit
    gen: LabelledGeneric.Aux[T, R],
    sel: Selector.Aux[R, K, V],
    upd: Updater.Aux[R, FieldType[K, V], R]
  ): Lens[T, V] = lens[T] >> s
}

def makeLens[T <: Product] = new MakeLens[T]

然后:

scala> case class Content(field: Int)
defined class Content

scala> makeLens[Content]('field)
res0: shapeless.Lens[Content,Int] = shapeless.Lens$$anon$6@7d7ec2b0

makeLens[Content]('foo)无法编译(这就是我们想要的)。

您需要对nestedMapLens进行相同类型的跟踪:

import scalaz._, Scalaz._
import shapeless.contrib.scalaz._

case class LensesFor[T <: Product]() {
  def nestedMapLens[K, V, R <: HList](
    outerKey: String,
    innerKey: Int,
    s: Witness.Aux[K]
  )(implicit
    gen: LabelledGeneric.Aux[T, R],
    sel: Selector.Aux[R, K, V],
    upd: Updater.Aux[R, FieldType[K, V], R]
  ): PLens[Map[String, Map[Int, T]], V] =
    (lens[T] >> s).asScalaz.partial.compose(
      PLens.mapVPLens(innerKey)
    ).compose(
      PLens.mapVPLens(outerKey)
    )
}

请注意,我假设build.sbt是这样的:

scalaVersion := "2.11.2"

libraryDependencies ++= Seq(
  "com.chuusai" %% "shapeless" % "2.0.0",
  "org.typelevel" %% "shapeless-scalaz" % "0.3"
)

现在让我们定义一个示例地图和一些镜头:

val myMap = Map("foo" -> Map(1 -> Content(13)))

val myFoo1Lens = LensesFor[Content].nestedMapLens("foo", 1, 'field)
val myBar2Lens = LensesFor[Content].nestedMapLens("bar", 2, 'field)

然后:

scala> myFoo1Lens.get(myMap)
res4: Option[Int] = Some(13)

scala> myBar2Lens.get(myMap)
res5: Option[Int] = None

这就像你将获得的“无样板”一样。凌乱的隐式参数列表一开始是令人生畏的,但是你很快就习惯了它们,并且它们在一些实践后将你正在使用的类型的不同证据集合在一起变得相当直观。