This answer https://stackoverflow.com/a/56366311/2682459 shows how it is possible to use an object to provide a custom implementation of a typeclass when using Kitten. Applying the same principle to the following code though doesn't work:
package com.xxx.yyy.zzz
import cats._, cats.derived._, cats.implicits._
object Test extends App {
case class Inner(double: Double)
case class Outer(inner: Inner, s: String)
implicit object doubleEq extends Eq[Double] {
override def eqv(x: Double, y: Double): Boolean = Math.abs(x - y) < 0.1
}
implicit val outerEq: Eq[Outer] = {
import derived.auto.eq._
derived.semi.eq[Outer]
}
implicitly[Eq[Double]]
val testCC1 = Outer(Inner(1.01d), "BlahBlahBlah")
val testCC2 = Outer(Inner(1.00d), "BlahBlahBlah")
println(testCC1 === testCC2)
}
The implicitly[Eq[Double]]
shows that once again I have ambiguous implicits:
Error:(20, 13) ambiguous implicit values:
both value catsKernelStdOrderForDouble in trait DoubleInstances of type => cats.kernel.Order[Double] with cats.kernel.Hash[Double]
and object doubleEq in object Test of type com.xxx.yyy.zzz.Test.doubleEq.type
match expected type cats.Eq[Double]
implicitly[Eq[Double]]
How do I work round this one? I really don't want to have to cherry pick the cats implicits I import as this isn't very scalable!
Change your imports. Don't import cats.instances.double._
import cats._, cats.derived._
import cats.instances.string._ // Outer uses Double and String
import cats.syntax.eq._ // for ===
Both
implicit val doubleEq: Eq[Double] = new Eq[Double] {
override def eqv(x: Double, y: Double): Boolean = Math.abs(x - y) < 0.1
}
and
implicit object doubleEq extends Eq[Double] {
override def eqv(x: Double, y: Double): Boolean = Math.abs(x - y) < 0.1
}
work.
http://eed3si9n.com/herding-cats/import-guide.html
https://blog.softwaremill.com/9-tips-about-using-cats-in-scala-you-might-want-to-know-e1bafd365f88 advice 2)