How to Decode a Generic Case Class with semiautomatic in Circe

989 Views Asked by At

I have the following case class:

case class QueryResult[T: Decoder](data: T)

It works with auto derivation.

But I could not solve it to have a semiautomatic derivation.

Here is my Test case:

  //import io.circe.generic.auto._ // with this it works
  import io.circe.derivation._

  case class Name(name: String)
  case class QueryResult[T: Decoder](data: T)

  implicit val nameDer = deriveDecoder[Name]
  implicit def result[T: Decoder] = deriveDecoder[QueryResult[T]] // this does not work

This gives me:

Error:(16, 50) No method evidence$1 in pme123.graphql.client.QueryResult[T] (this is probably because a constructor parameter isn't a val)
  implicit def result[T: Decoder] = deriveDecoder[QueryResult[T]]
2

There are 2 best solutions below

1
On BEST ANSWER

Which version of circe are you using? In 0.12.3 I have to use import io.circe.generic.semiauto._ and the following works for me:

case class Name(name: String)
case class QueryResult[T: Decoder](data: T)

implicit val nameDer = deriveDecoder[Name]
implicit def result[T: Decoder] = deriveDecoder[QueryResult[T]]

val json = """{"data": {"name": "foo"}}"""
decode[QueryResult[Name]](json)  // Right(QueryResult(Name(foo)))
0
On

Ran into the same issue. This is somewhat explained in the comment on the accepted answer, but you need to make sure you add encoders/decoders on every type.

For example, you're running into an issue where somehow circe doesn't know how to decode an A, make sure you have encoders/decoders all the way down:

case class A(someB: B)
object A {
  implicit val decoder: Decoder[A] = deriveDecoder
}

case class B(something: String)
object B {
  // If you forget this, an implicit decoder cannot be derived for A either
  implicit val decoder: Decoder[B] = deriveDecoder
}