我可以=
在 scala 中使用 an 进行理解(如SLS的第6.19节中所述),如下所示:
选项
假设我有一些功能String => Option[Int]
:
scala> def intOpt(s: String) = try { Some(s.toInt) } catch { case _ => None }
intOpt: (s: String)Option[Int]
然后我可以这样使用它
scala> for {
| str <- Option("1")
| i <- intOpt(str)
| val j = i + 10 //Note use of = in generator
| }
| yield j
res18: Option[Int] = Some(11)
据我了解,这基本上等同于:
scala> Option("1") flatMap { str => intOpt(str) } map { i => i + 10 } map { j => j }
res19: Option[Int] = Some(11)
也就是说,嵌入式生成器是将 a 注入map
到一系列flatMap
调用中的一种方式。到现在为止还挺好。
无论是.RightProjection
我真正想做的是:使用与前面使用Either
monad的示例类似的理解。
但是,如果我们在类似的链中使用它,但这次使用Either.RightProjection
monad/functor,它就不起作用:
scala> def intEither(s: String): Either[Throwable, Int] =
| try { Right(s.toInt) } catch { case x => Left(x) }
intEither: (s: String)Either[Throwable,Int]
然后使用:
scala> for {
| str <- Option("1").toRight(new Throwable()).right
| i <- intEither(str).right //note the "right" projection is used
| val j = i + 10
| }
| yield j
<console>:17: error: value map is not a member of Product with Serializable with Either[java.lang.Throwable,(Int, Int)]
i <- intEither(str).right
^
这个问题与右投影期望作为其flatMap
方法的参数的函数有关(即它期望一个R => Either[L, R]
)。但是修改为不调用right
第二个生成器,它仍然不会编译。
scala> for {
| str <- Option("1").toRight(new Throwable()).right
| i <- intEither(str) // no "right" projection
| val j = i + 10
| }
| yield j
<console>:17: error: value map is not a member of Either[Throwable,Int]
i <- intEither(str)
^
大混乱
但现在我变得双重困惑。以下工作正常:
scala> for {
| x <- Right[Throwable, String]("1").right
| y <- Right[Throwable, String](x).right //note the "right" here
| } yield y.toInt
res39: Either[Throwable,Int] = Right(1)
但这不会:
scala> Right[Throwable, String]("1").right flatMap { x => Right[Throwable, String](x).right } map { y => y.toInt }
<console>:14: error: type mismatch;
found : Either.RightProjection[Throwable,String]
required: Either[?,?]
Right[Throwable, String]("1").right flatMap { x => Right[Throwable, String](x).right } map { y => y.toInt }
^
我认为这些是等价的
- 到底是怎么回事?
- 如何将
=
生成器嵌入到一个 for 理解中Either
?