In the following example I would like to be capable to use an implicit type class - Process - wit a trait as input. But the compilator does not recognize any implicit in that case. I was expecting as Input is a sealed trait and I made the implicits implementation for both InputA and InputB that during the runtime it select by itself accordingly to the type provided.
sealed trait Input
final case class InputA(i: Int) extends Input
final case class InputB(s: String) extends Input
trait Process[U] {
def give(u :U): U
}
object Process {
implicit val processInputA: Process[InputA] = (u: InputA) => u.copy(i = u.i+10)
implicit val processInputB: Process[InputB] = (u: InputB) => u.copy(s = u.s+"add")
}
object UseProcess {
def run[U](u: U)(implicit process: Process[U]): U = process.give(u)
}
val g: Input = InputB("1")
val res3: Input = UseProcess.run(g). ==>> No implicits found for parameter process: Process[Input]
Is there a way to have it working or type class work only with implementation on concrete type.
Thanks in advance for your answer
Implicits (instances of a type class) are resolved at compile time (not runtime), during type checking (compilation phase
typer
).Runtime vs. Compile time
In
val g: Input = InputB("1")
it becomes known thatg
is anInputB
and notInputA
only at runtime. At compile time it's only known thatg
is anInput
.So either let compiler know at compile time that
g
isInputB
or define an instance of the type class for
Input
As you can see, if your logic is based on a runtime value, you need pattern matching (occurring mostly at runtime) rather than implicit (type class) resolution. Implicits (type classes) are kind of "pattern matching" at compile time.
You can also derive an instance
Process[Input]
based on instancesProcess[InputA]
,Process[InputB]
rather than define it manually for every sealed-trait hierarchy.Use the lowest subtype in a typeclass?
Type class instance for case objects defined in sealed trait
How to accept only a specific subtype of existential type?
Covariant case class mapping to its base class without a type parameter and back
An alternative to defining an instance
Process[Input]
at compile time could be to run compilation and resolve instances at runtime. Surely, this approach is less type-safe. If there is no instanceTC[I]
the following code fails at runtime.Scala upper type bounds for reflectioned type
Is there anyway, in Scala, to get the Singleton type of something from the more general type?
Load Dataset from Dynamically generated Case Class