I've read about tagless final and I think it's great. I wanted to build my own small example of this pattern and got the problem.
This is my code:
trait Calculator[F[_]] {
def sum(a: Int, b: Int): F[Either[Throwable, Int]]
def minus(a: Int, b: Int): F[Either[Throwable, Int]]
}
object calculatorInstances {
implicit val futureCalculator: Calculator[Future] = new Calculator[Future] {
override def sum(a: Int, b: Int) =
Future {
Try(a + b).toEither
}
override def minus(a: Int, b: Int) =
Future {
Try(a - b).toEither
}
}
}
import calculatorInstances.futureCalculator
def getPlusAndMinus[F[_]: Monad: Calculator](a: Int, b: Int): F[Either[String, Int]] = {
for {
sum <- Calculator[F].sum(a, b)
res <- Calculator[F].minus(sum, b)
} yield res
}
This code doesn't work because of not found: value Calculator
error. How can I do it properly?
Add materializer:
It's better to put instances of type class
Calculator[F[_]]
(like implicitfutureCalculator
) to the same companion objectCalculator
, otherwise you'll have toimport calculatorInstances._
.Don't forget to
import cats.syntax.flatMap._
andimport cats.syntax.functor._
.sum
insum <- Calculator[F].sum(a, b)
is of typeEither[Throwable,Int]
butsum
inCalculator[F].minus(sum, b)
is expected to beInt
.Maybe returning type of
getPlusAndMinus
should beF[Either[Throwable, Int]]
instead ofF[Either[String, Int]]
.Maybe the easiest way to fix
for
comprehension is to use monad transformer:Just in case, the whole code: