Reputation: 1204
if a scala function is
def A(): Either[Exception, ArrayBuffer[Int]] = {
...
}
what should be the right way to process the returned result?
val a = A()
and ?
Upvotes: 25
Views: 22689
Reputation: 20515
The easiest way is with pattern matching
val a = A()
a match{
case Left(exception) => // do something with the exception
case Right(arrayBuffer) => // do something with the arrayBuffer
}
Alternatively, there a variety of fairly straightforward methods on Either, which can be used for the job. Here's the scaladoc http://www.scala-lang.org/api/current/index.html#scala.Either
Upvotes: 17
Reputation: 10814
One way is
val a = A();
for (x <- a.left) {
println("left: " + x)
}
for (x <- a.right) {
println("right: " + x)
}
Only one of the bodies of the for expressions will actually be evaluated.
Upvotes: 4
Reputation: 167891
I generally prefer using fold
. You can use it like map:
scala> def a: Either[Exception,String] = Right("On")
a.fold(l => Left(l), r => Right(r.length))
res0: Product with Either[Exception,Int] = Right(2)
Or you can use it like a pattern match:
scala> a.fold( l => {
| println("This was bad")
| }, r => {
| println("Hurray! " + r)
| })
Hurray! On
Or you can use it like getOrElse
in Option
:
scala> a.fold( l => "Default" , r => r )
res2: String = On
Upvotes: 50