Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

abstract type pattern is unchecked since it is eliminated by erasure

Tags:

Could someone tell me how can I avoid the warning in the code block below:

abstract class Foo[T <: Bar]{
  case class CaseClass[T <: Bar](t: T)
  def method1 = {
    case CaseClass(t: T) => println(t)
    csse _ => 
  }
}

This results in a compiler warning:

 abstract type pattern T is unchecked since it is eliminated by erasure
 case CaseClass(t: T) => println(t)
                   ^
like image 538
Harshal Pandya Avatar asked Aug 08 '13 21:08

Harshal Pandya


2 Answers

You could use ClassTag (or TypeTag):

import scala.reflect.ClassTag

abstract class Foo[T <: Bar : ClassTag]{
  ...
  val clazz = implicitly[ClassTag[T]].runtimeClass
  def method1 = {
    case CaseClass(t) if clazz.isInstance(t) => println(t) // you could use `t.asInstanceOf[T]`
    case _ => 
  }
}
like image 70
senia Avatar answered Sep 21 '22 20:09

senia


Another variation to use, especially if you desire to use a trait (as opposed to using a class or abstract class which the other solution requires), looks like this:

import scala.reflect.{ClassTag, classTag}

trait Foo[B <: Bar] {
  implicit val classTagB: ClassTag[B] = classTag[B]
  ...
  def operate(barDescendant: B) =
    barDescendant match {
      case b: Bar if classTagB.runtimeClass.isInstance(b) =>
        ... //do something with value b which will be of type B
    }
}
like image 3
chaotic3quilibrium Avatar answered Sep 18 '22 20:09

chaotic3quilibrium