Scalaz:结合作家和国家(和/或镜头)

时间:2016-11-14 21:47:32

标签: scala monads scalaz

我试图将Writer和State(通过镜头)结合起来。我很确定我需要monad变换器,但我很难弄清楚如何使用T版本以及如何正确构建它。

现在我有一些模型(简化):

case class Schedule(due: LocalDate)
case class Task(title: String, schedule: Schedule)

为每个字段titleLscheduleLdueL定义了镜头。

我的作家type Logger[A] = Writer[Vector[String], A]

的类型别名

还有一些修改模型的功能:

def changeTitle(title: String): Task => Logger[Task] = { t: Task =>
  for {
    a <- titleL.set(t, title).point[Logger]
    _ <- ("Title changed to " + a.title).point[Vector].tell whenM (a.title != t.title)
  } yield a
}

def changeDue(date: LocalDate): Schedule => Logger[Schedule] = { s: Schedule =>
  for {
    a <- dueL.set(s, date).point[Logger]
    _ <- ("Due changed to " + a.due).point[Vector].tell whenM (a.due != s.due)
  } yield a
}

但是现在我不确定如何在最后一个功能中使用镜头或状态方法。

我希望能够做一些看起来像这样的事情:

def reschedule(date: LocalDate): Task => Logger[Task] = { t: Task =>
  (for {
    a <- scheduleL %= reschedule(date)
    _ <- ("Reschedule: " + a.schedule).point[Vector].tell whenM (a.schedule != t.schedule)
  } yield a) exec t
}

我该如何处理?我是否正在与monad变形金刚合作?我可能已经错过的任何其他事情已经处理了我的案子?

修改

我得到了这样的工作,这个用例很好,但是我想要更好地与State集成更复杂的东西:

def reschedule(date: LocalDate): Task => Logger[Task] = { t: Task =>
  for {
    sa <- scheduleL.get(t).point[Logger]
    sb <- changeDue(date)(sa)
    a <- scheduleL.set(t, sb).point[Logger]
    _ <- ("Reschedule: " + a.schedule).point[Vector].tell whenM (a.schedule != t.schedule)
  } yield a
}

1 个答案:

答案 0 :(得分:0)

可能你可以进一步简化它,但这是我能得到的最好的。 据我所知,你不能直接在monad变压器中使用镜头,但是你可以将镜头转换成接近你所需要的状态。

首先让我们定义我们的monads。

def RWA[R, A] = ReaderWriterState.rwstMonad[Id.Id, R, Vector[String], A]
val RST = RWA[String, Task]
val RLS = RWA[Long, Schedule]


  def changeTitleV1 = for {
    title ← RST.ask // Reader part of transformer getting new title from the environment
    _ ← RST.modify(titleL =>= (_ ⇒ title))  // `=>=` is converting lens to `A => A`
    _ ← RST.tell(Vector(s"I put the value $title")))
  } yield ()


changeTitleV1.run("new title", Task("old title", Schedule(123)))  //(Vector(I put the value new title),(),Task(new title,Schedule(123)))

我们将新标题作为此run函数的第一个参数传递,以便能够在monad中询问它。

在您的示例中 - 您希望在日志中写入某个条件,因此您需要获取初始状态以了解标题是否已更改。它变得不那么简洁了:

def changeTitleV2 = for {
    title ← RST.ask
    task0 ← RST.get
    _ ← RST.put(titleL.set(task0, title))
    _ ← RST.whenM(task0.title != title)(RST.tell(Vector(s"I put the value $title")))
  } yield ()

当然你可以为changeDue定义相同的内容:

  def changeDue = for {
    d0 ← RLS.get
    due ← RLS.ask
    _ ← RLS.put(dueL.set(t0, due))
    _ ← RLS.whenM(d0.due != due)(RLS.tell(Vector(s"due changed to $due")))    
  } yield ()

那就是说,我不太确定,你提出的解决方案要好得多。