web-dev-qa-db-ja.com

Scala:整数文字列を照合して解析しますか?

整数値を含む可能性のある文字列を照合する方法を探しています。もしそうなら、それを解析します。次のようなコードを書きたいと思います。

  def getValue(s: String): Int = s match {
       case "inf" => Integer.MAX_VALUE 
       case Int(x) => x
       case _ => throw ...
  }

目標は、文字列が「inf」に等しい場合、Integer.MAX_VALUEを返すことです。文字列が解析可能な整数の場合は、整数値を返します。それ以外の場合はスローします。

24
Landon Kuhn

エクストラクタを定義する

object Int {
  def unapply(s : String) : Option[Int] = try {
    Some(s.toInt)
  } catch {
    case _ : Java.lang.NumberFormatException => None
  }
}

あなたの例の方法

def getValue(s: String): Int = s match {
  case "inf" => Integer.MAX_VALUE 
  case Int(x) => x
  case _ => error("not a number")
}

そしてそれを使う

scala> getValue("4")
res5: Int = 4

scala> getValue("inf")
res6: Int = 2147483647

scala> getValue("helloworld")
Java.lang.RuntimeException: not a number
at scala.Predef$.error(Predef.scala:76)
at .getValue(<console>:8)
at .<init>(<console>:7)
at .<clinit>(<console>)
at RequestResult$.<init>(<console>:4)
at RequestResult$.<clinit>(<console>)
at RequestResult$result(<console>)
at Sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
at Sun.reflect.NativeMethodAccessorImpl.invoke(Na...
41
James Iry

私はこれが古い、答えられた質問であることを知っています、しかしこれはより良い私見です:

scala> :paste
// Entering paste mode (ctrl-D to finish)

val IntRegEx = "(\\d+)".r
def getValue(s: String): Option[Int] = s match {
  case "inf" => Some(Integer.MAX_VALUE)
  case IntRegEx(num) => Some(num.toInt)
  case _ => None
}

// Exiting paste mode, now interpreting.

IntRegEx: scala.util.matching.Regex = (\d+)
getValue: (s: String)Option[Int]

scala> getValue("inf")
res21: Option[Int] = Some(2147483647)

scala> getValue("123412")
res22: Option[Int] = Some(123412)

scala> getValue("not-a-number")
res23: Option[Int] = None

もちろん、例外はスローされませんが、本当に必要な場合は、

getValue(someStr) getOrElse error("NaN")
11
rsenna

ガードを使用できます:

def getValue(s: String): Int = s match {
  case "inf" => Integer.MAX_VALUE 
  case _ if s.matches("[+-]?\\d+")  => Integer.parseInt(s)
}
8
cayhorstmann

どうですか:

def readIntOpt(x: String) =
  if (x == "inf")
    Some(Integer.MAX_VALUE)
  else
    scala.util.Try(x.toInt).toOption
5
Erik Kaplun
def getValue(s: String): Int = s match {
    case "inf" => Integer.MAX_VALUE 
    case _ => s.toInt
}


println(getValue("3"))
println(getValue("inf"))
try {
    println(getValue("x"))
}
catch {
    case e => println("got exception", e)
    // throws a Java.lang.NumberFormatException which seems appropriate
}
1
agilefall

james Iryのエクストラクタの改良版:

object Int { 
  def unapply(s: String) = scala.util.Try(s.toInt).toOption 
} 
1

Scala 2.13が導入されてから String::toIntOption

"5".toIntOption   // Option[Int] = Some(5)
"abc".toIntOption // Option[Int] = None

「inf」と等しいかどうかを確認した後、StringOption[Int]としてキャストできます。

if (str == "inf") Some(Int.MaxValue) else str.toIntOption
// "inf"   =>   Option[Int] = Some(2147483647)
// "347"   =>   Option[Int] = Some(347)
// "ac4"   =>   Option[Int] = None
1
Xavier Guihot