J'essaie d'obtenir un numéro d'un champ xml
...
<Quantity>12</Quantity>
...
via
Some((recipe \ "Main" \ "Quantity").text.toInt)
Parfois, cependant, il peut ne pas y avoir de valeur dans le xml. Le texte sera ""
et cela lève une exception Java.lang.NumberFormatException.
Quelle est la meilleure façon d'obtenir un Int ou un None?
scala> import scala.util.Try
import scala.util.Try
scala> def tryToInt( s: String ) = Try(s.toInt).toOption
tryToInt: (s: String)Option[Int]
scala> tryToInt("123")
res0: Option[Int] = Some(123)
scala> tryToInt("")
res1: Option[Int] = None
Plus d'une note annexe sur l'utilisation suite à la réponse acceptée. Après import scala.util.Try
, considérer
implicit class RichOptionConvert(val s: String) extends AnyVal {
def toOptInt() = Try (s.toInt) toOption
}
ou de manière similaire mais sous une forme un peu plus élaborée qui ne traite que de l'exception pertinente lors de la conversion en valeurs intégrales, après import Java.lang.NumberFormatException
,
implicit class RichOptionConvert(val s: String) extends AnyVal {
def toOptInt() =
try {
Some(s.toInt)
} catch {
case e: NumberFormatException => None
}
}
Ainsi,
"123".toOptInt
res: Option[Int] = Some(123)
Array(4,5,6).mkString.toOptInt
res: Option[Int] = Some(456)
"nan".toInt
res: Option[Int] = None
Scala 2.13
introduit String::toIntOption
:
"5".toIntOption // Option[Int] = Some(5)
"abc".toIntOption // Option[Int] = None
"abc".toIntOption.getOrElse(-1) // Int = -1
Voici une autre façon de faire cela qui ne nécessite pas d'écrire votre propre fonction et qui peut également être utilisée pour passer à Either
.
scala> import util.control.Exception._
import util.control.Exception._
scala> allCatch.opt { "42".toInt }
res0: Option[Int] = Some(42)
scala> allCatch.opt { "answer".toInt }
res1: Option[Int] = None
scala> allCatch.either { "42".toInt }
res3: scala.util.Either[Throwable,Int] = Right(42)
(A Nice blog post sur le sujet.)