Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

how do I process returned Either

Tags:

scala

either

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 ?

like image 304
user398384 Avatar asked Aug 16 '10 18:08

user398384


3 Answers

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
like image 158
Rex Kerr Avatar answered Nov 14 '22 17:11

Rex Kerr


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

like image 36
Dave Griffith Avatar answered Nov 14 '22 17:11

Dave Griffith


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.

like image 4
michid Avatar answered Nov 14 '22 18:11

michid