问题描述
我正在尝试根据对我的 答案.
I'm trying to figure out how to use StateT
to combine two State
state transformers based on a comment on my Scalaz state monad examples answer.
看起来我已经很接近了,但是在尝试应用 sequence
时遇到了问题.
It seems I'm very close but I got an issue when trying to apply sequence
.
import scalaz._
import Scalaz._
import java.util.Random
val die = state[Random, Int](r => (r, r.nextInt(6) + 1))
val twoDice = for (d1 <- die; d2 <- die) yield (d1, d2)
def freqSum(dice: (Int, Int)) = state[Map[Int,Int], Int]{ freq =>
val s = dice._1 + dice._2
val tuple = s -> (freq.getOrElse(s, 0) + 1)
(freq + tuple, s)
}
type StateMap[x] = State[Map[Int,Int], x]
val diceAndFreqSum = stateT[StateMap, Random, Int]{ random =>
val (newRandom, dice) = twoDice apply random
for (sum <- freqSum(dice)) yield (newRandom, sum)
}
所以我得到了一个 StateT[StateMap, Random, Int]
,我可以用初始随机和空的地图状态展开:
So I got as far as having a StateT[StateMap, Random, Int]
that I can unwrap with initial random and empty map states:
val (freq, sum) = diceAndFreqSum ! new Random(1L) apply Map[Int,Int]()
// freq: Map[Int,Int] = Map(9 -> 1)
// sum: Int = 9
现在我想生成那些 StateT
的列表并使用 sequence
以便我可以调用 list.sequence !new Random(1L) 应用 Map[Int,Int]()
.但是当我尝试这个时:
Now I'd like to generate a list of those StateT
and use sequence
so that I can call list.sequence ! new Random(1L) apply Map[Int,Int]()
. But when trying this I get:
type StT[x] = StateT[StateMap, Random, x]
val data: List[StT[Int]] = List.fill(10)(diceAndFreqSum)
data.sequence[StT, Int]
//error: could not find implicit value for parameter n: scalaz.Applicative[StT]
data.sequence[StT, Int]
^
有什么想法吗?我可以在最后一段时间使用一些帮助 - 假设这是可能的.
Any idea? I can use some help for the last stretch - assuming it's possible.
推荐答案
啊看着scalaz Monad 源,我注意到有一个 implicit def StateTMonad
确认 StateT[M, A, x]
是类型参数 x 的 monad.monad 也是应用程序,通过查看 Monad
trait 的定义并通过插入 REPL :
Ah looking at the scalaz Monad source, I noticed there was an implicit def StateTMonad
that confirms that StateT[M, A, x]
is a monad for type parameter x. Also monads are applicatives, which was confirmed by looking at the definition of the Monad
trait and by poking in the REPL:
scala> implicitly[Monad[StT] <:< Applicative[StT]]
res1: <:<[scalaz.Monad[StT],scalaz.Applicative[StT]] = <function1>
scala> implicitly[Monad[StT]]
res2: scalaz.Monad[StT] = scalaz.MonadLow$$anon$1@1cce278
所以这给了我定义一个隐式 Applicative[StT]
来帮助编译器的想法:
So this gave me the idea of defining an implicit Applicative[StT]
to help the compiler:
type StT[x] = StateT[StateMap, Random, x]
implicit val applicativeStT: Applicative[StT] = implicitly[Monad[StT]]
成功了:
val data: List[StT[Int]] = List.fill(10)(diceAndFreqSum)
val (frequencies, sums) =
data.sequence[StT, Int] ! new Random(1L) apply Map[Int,Int]()
// frequencies: Map[Int,Int] = Map(10 -> 1, 6 -> 3, 9 -> 1, 7 -> 1, 8 -> 2, 4 -> 2)
// sums: List[Int] = List(9, 6, 8, 8, 10, 4, 6, 6, 4, 7)
这篇关于scalaz List[StateT].sequence - 找不到参数 n 的隐式值:scalaz.Applicative的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!