Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to check constructor arguments and throw an exception or make an assertion in a default constructor in Scala?

I would like to check constructor arguments and refuse to construct throwing IllegalArgumentException in case the arguments set is not valid (the values don't fit in expected constraints). How to code this in Scala?

like image 496
Ivan Avatar asked Feb 07 '12 01:02

Ivan


1 Answers

In Scala, the whole body of the class is your primary constructor, so you can add your validation logic there.

scala> class Foo(val i: Int) {      |   if(i < 0)       |     throw new IllegalArgumentException("the number must be non-negative.")      | } defined class Foo  scala> new Foo(3) res106: Foo = Foo@3bfdb2  scala> new Foo(-3) java.lang.IllegalArgumentException: the number must be positive. 

Scala provides a utility method require that lets you write the same thing more concisely as follows:

class Foo(val i: Int) {   require(i >= 0, "the number must be non-negative.") } 

A better approach might be to provide a factory method that gives a scalaz.Validation[String, Foo] instead of throwing an exception. (Note: requires Scalaz)

scala> :paste // Entering paste mode (ctrl-D to finish)  class Foo private(val i: Int)  object Foo {   def apply(i: Int) = {     if(i < 0)       failure("number must be non-negative.")     else       success(new Foo(i))   } }  // Exiting paste mode, now interpreting.  defined class Foo defined module Foo  scala> Foo(3) res108: scalaz.Validation[java.lang.String,Foo] = Success(Foo@114b3d5)  scala> Foo(-3) res109: scalaz.Validation[java.lang.String,Foo] = Failure(number must be non-negative.) 
like image 147
missingfaktor Avatar answered Oct 08 '22 05:10

missingfaktor