1

I'm currently making a function that returns an object. But if I find something invalid in the input I want to return something to indicate that problem. I just can not wrap my head around on working this out.. What is the correct way to handle errors here? Using Options? But returning None does not specify any specific problems.

case class myClass(value: Int)
def myFunction(input: Int) : myClass
{
  //return myClass if succeded
  //else return some error - what do I return here? 
}


//I've read that to handle some error scenarios you should do something like this:
sealed trait SomeError
object SomeError{
  case object UnknownValue extends SomeError
  case object SomeOtherError extends SomeError
  case object OutOfBounds extends SomeError
}
//But how do I return myClass and this at the same time in case of an error?

1 Answer 1

5

It's true, Option can't give you details about your error. For that you can use Either which is more flexible. Either is extended by Left and Right. On success, one returns a Right, on failure a Left (by convention).

e.g.

sealed trait MyTrait
case class MyClass(value: Int) extends MyTrait

def myFunction(input: Int): Either[String, MyTrait] = {
  if (input >= 0) Right(MyClass(input)) else Left("input was negative")
}

Or using SomeError,

def myFunction(input: Int): Either[SomeError, MyTrait] = {
  if (input >= 0) Right(MyClass(input)) else Left(OutOfBounds)
}
Sign up to request clarification or add additional context in comments.

2 Comments

Oh okay! So using Either should, in this case, use 'myClass'(left) and 'SomeError'(right)? ^^
@JoeDortman No. Either is right-biased, so you should use Right for the "correct" results, and Left for "improvement proposals".

Your Answer

By clicking “Post Your Answer”, you agree to our terms of service and acknowledge you have read our privacy policy.

Start asking to get answers

Find the answer to your question by asking.

Ask question

Explore related questions

See similar questions with these tags.