据我所知,Scala“for”语法与Haskell的monadic“do”语法非常相似。在Scala中,“for”语法通常用于List
和Option
s。我想将它与Either
一起使用,但默认导入中不存在必要的方法。
for {
foo <- Right(1)
bar <- Left("nope")
} yield (foo + bar)
// expected result: Left("nope")
// instead I get "error: value flatMap is not a member..."
通过某些导入是否可以使用此功能?
有一个小小的障碍:
for {
foo <- Right(1)
if foo > 3
} yield foo
// expected result: Left(???)
对于列表,它将是List()
。对于Option
,它将是None
。 Scala标准库是否为此提供了解决方案? (或许scalaz
?)怎么样?假设我想为Either提供我自己的“monad实例”,我怎么能这样做?
答案 0 :(得分:51)
它在scala 2.11及更早版本中不起作用,因为Either
不是monad。虽然有关于权利偏见的讨论,但你不能在理解中使用它:你必须得到LeftProject
或RightProjection
,如下所示:
for {
foo <- Right[String,Int](1).right
bar <- Left[String,Int]("nope").right
} yield (foo + bar)
顺便说一句,这会返回Left("nope")
。
在Scalaz上,您将Either
替换为Validation
。有趣的事实:Either
的原始作者是Scalaz的一位作者Tony Morris。他想让Either
有偏见,但同事却不相信。
答案 1 :(得分:15)
通过某些导入是否可以使用此功能?
是的,但通过第三方导入:Scalaz为Monad
提供Either
个实例。
import scalaz._, Scalaz._
scala> for {
| foo <- 1.right[String]
| bar <- "nope".left[Int]
| } yield (foo.toString + bar)
res39: Either[String,java.lang.String] = Left(nope)
现在if
- 守卫不是一个monadic操作。因此,如果您尝试使用if
- guard,则会导致编译器出错。
scala> for {
| foo <- 1.right[String]
| if foo > 3
| } yield foo
<console>:18: error: value withFilter is not a member of Either[String,Int]
foo <- 1.right[String]
^
上面使用的便捷方法 - .right
和.left
- 也来自Scalaz。
修改强>
我错过了你的这个问题。
假设我想为Either提供我自己的“monad实例”,我怎么能这样做?
Scala for
理解只是简单地翻译为.map
,.flatMap
,.withFilter
和 .filter
.foreach
调用所涉及的对象。 (您可以找到完整的翻译方案here。)因此,如果某个类没有所需的方法,您可以使用隐式转换将它们添加到类中。
以下新的REPL会议。
scala> implicit def eitherW[A, B](e: Either[A, B]) = new {
| def map[B1](f: B => B1) = e.right map f
| def flatMap[B1](f: B => Either[A, B1]) = e.right flatMap f
| }
eitherW: [A, B](e: Either[A,B])java.lang.Object{def map[B1](f: B => B1): Product
with Either[A,B1] with Serializable; def flatMap[B1](f: B => Either[A,B1]):
Either[A,B1]}
scala> for {
| foo <- Right(1): Either[String, Int]
| bar <- Left("nope") : Either[String, Int]
| } yield (foo.toString + bar)
res0: Either[String,java.lang.String] = Left(nope)
答案 2 :(得分:9)
自Scala 2.12起,Either
为now right biased
作为定义方法map和flatMap,它也可以用于理解:
val right1: Right[Double, Int] = Right(1) val right2 = Right(2) val right3 = Right(3) val left23: Left[Double, Int] = Left(23.0) val left42 = Left(42.0) for ( a <- right1; b <- right2; c <- right3 ) yield a + b + c // Right(6) for ( a <- right1; b <- right2; c <- left23 ) yield a + b + c // Left(23.0) for ( a <- right1; b <- left23; c <- right2 ) yield a + b + c // Left(23.0) // It is advisable to provide the type of the “missing” value (especially the right value for `Left`) // as otherwise that type might be infered as `Nothing` without context: for ( a <- left23; b <- right1; c <- left42 // type at this position: Either[Double, Nothing] ) yield a + b + c // ^ // error: ambiguous reference to overloaded definition, // both method + in class Int of type (x: Char)Int // and method + in class Int of type (x: Byte)Int // match argument types (Nothing)