4

我试图找出一种从 Scala 调用 Java API 的方法。基本上,有一个ContentValues对象有几个方法,比如getAsString, getAsLong,每个方法都有自己不同的返回类型。

我可以包装ContentValues另一个对象,以便我可以添加一个根据 Tget[T]调用正确方法的方法吗?getAsXXX

我试过的(没有用,抱怨含糊的隐式解决方案):

object SContentValuesConversions {

  case class SContentGetter[ScalaType](val check: String => Boolean, val getter: String => ScalaType) {
    def getTyped(key: String): Option[ScalaType] = {
      if (!check(key)) None
      else Some(getter(key))
    }
  }

  implicit def SIntContentValues(cv: ContentValues) =
    SContentGetter((cv containsKey _), (cv getAsInteger _))

  implicit def SLongContentValues(cv: ContentValues) =
    SContentGetter((cv containsKey _), (cv getAsLong _))

  implicit def SStringContentValues(cv: ContentValues) =
    SContentGetter((cv containsKey _), (cv getAsString _))
}
4

1 回答 1

6

CanBuildFrom您可以使用与集合特征相同的技术。

我们首先创建一个Getter案例类

case class Getter[T](getter: (ContentValues, String) => T) {

  def getOpt(contentValues: ContentValues, key: String): Option[T] =
    if (contentValues containsKey key) Some(getter(contentValues, key))
    else None
}

这允许我们创建一个ContentValues具有所需方法的包装器。

implicit class ContentValuesWrapper(val c: ContentValues) extends AnyVal {
  def getAsOpt[T](key: String)(implicit getter: Getter[T]) =
    getter.getOpt(c, key)
}

现在,为了调用getAsOpt方法,ContentValues我们需要提供正确类型的implicit实例。Getter

object Getter {
  implicit val intGetter = Getter(_ getAsInteger _)
  implicit val longGetter = Getter(_ getAsLong _)
  implicit val stringGetter = Getter(_ getAsString _)
}

现在您可以在实例上使用该getAsOpt方法。ContentValues

// fake version of ContentValues
val c = 
  new ContentValues {
    val m = Map("a" -> "1", "b" -> "2", "c" -> "3")

    def getAsInteger(k: String): Int = getAsString(k).toInt
    def getAsLong(k: String): Long = getAsString(k).toLong
    def getAsString(k: String): String = m(k)

    def containsKey(k: String): Boolean = m contains k
  }

c.getAsOpt[Int]("a")      //Option[Int] = Some(1)
c.getAsOpt[Long]("b")     //Option[Long] = Some(2)
c.getAsOpt[String]("c")   //Option[String] = Some(3)
c.getAsOpt[Int]("d")      //Option[Int] = None
c.getAsOpt[Long]("e")     //Option[Long] = None
c.getAsOpt[String]("f")   //Option[String] = None
于 2013-04-06T11:17:32.323 回答