Scala通用函数...在函数中使用T.

时间:2015-06-11 00:24:25

标签: scala scala-generics

我有点困惑为什么下面的代码不起作用:

  implicit val connectReads: Reads[ConnectCommand] = (
    (JsPath \ "uuid").read[String]
    )(ConnectCommand.apply _)

  private def generateMessage[T](json: JsValue) = json.validate[T] match {
    case s: JsSuccess[T] => s.asOpt
    case e: JsError => None
  }

该函数将按如下方式调用:

generateMessage[ConnectCommand](json)

我收到以下错误:

Error:(59, 64) No Json deserializer found for type T. Try to implement an implicit Reads or Format for this type.
  private def generateMessage[T](json: JsValue) = json.validate[T] match {
                                                               ^
Error:(59, 64) not enough arguments for method validate: (implicit rds: play.api.libs.json.Reads[T])play.api.libs.json.JsResult[T].
Unspecified value parameter rds.
  private def generateMessage[T](json: JsValue) = json.validate[T] match {
                                                           ^

我对Scala泛型相当新...有什么方法可以做我想在这里做的事情吗?

2 个答案:

答案 0 :(得分:3)

根据文档JsValue.validate,您的类型需要隐式Reads

def validate[T](implicit rds: Reads[T]): JsResult[T] 

假设您在generateMessage来电的地方可以使用,则必须将其传递到generateMessage,以便validate也能看到它:

private def generateMessage[T](json: JsValue)(implicit rds: Reads[T])

或更短的形式:

private def generateMessage[T : Reads](json: JsValue)

答案 1 :(得分:1)

这与泛型无关,而是与implicits有关,以及库如何要求您定义implicits类型并导入它们。

这是必需的,因为validate函数不知道JsValue的格式,因此需要implicit scope提供一个。{1}}。然后它使用该格式来验证它。它起初很混乱但最终更好,因为当需要JSON格式时,您不必为每个方法调用显式提供格式。

这些是在错误消息中提供它的两行:

Try to implement an implicit Reads or Format for this type.

not enough arguments for method validate: (implicit rds: play.api.libs.json.Reads[T])

我们发现您需要导入隐式Format / Reads或自己定义一个。您可以了解如何执行此操作in the relevant section of the Play! documentation

修改

您的方法缺少隐式参数(implicit reads: Reads[T])以将其传递给validate函数:

private def generateMessage[T](json: JsValue)(implicit reads: Reads[T]) = json.validate[T] match {
 case s: JsSuccess[T] => s.asOpt
 case e: JsError => None
}