template
您只需调用即可获得课程template.getClass
。它需要template
是 的子类型AnyRef
,因此要么将其强制转换为AnyRef
(强制原始类型装箱),要么为 添加上限T
:
def instantiateItem[I, T <: AnyRef](implicit mf: Manifest[I], template: T): I = {
val constructor = mf.erasure.getConstructor(template.getClass)
constructor.newInstance(template).asInstanceOf[I]
}
如果您想template
显式传递,如问题中的代码所示,您需要分隔隐式和显式参数,例如
def instantiateItem[I, T <: AnyRef](template: T)(implicit mf: Manifest[I]): I = {
val constructor = mf.erasure.getConstructor(template.getClass)
constructor.newInstance(template).asInstanceOf[I]
}
又名
def instantiateItem[I : Manifest, T <: AnyRef](template: T): I = {
val mf = implicitly[Manifest[I]]
val constructor = mf.erasure.getConstructor(template.getClass)
constructor.newInstance(template).asInstanceOf[I]
}
一般来说,如果可能的话,您可以通过精心设计完全避免使用反射:
trait ItemCompanion[I,T] {
def instantiateItem(template: T): I
}
object TestItem extends ItemCompanion[TestItem, TestTemplate] {
implicit def self: ItemCompanion[TestItem, TestTemplate] = this
def instantiateItem(template: TestTemplate): TestItem = new TestItem(template)
}
class TestItem(template: TestTemplate)
trait TestTemplate
// try out
def instantiateItem[I, T](implicit ic: ItemCompanion[I, T], t: T): I =
ic.instantiateItem(t)
implicit val temp: TestTemplate = new TestTemplate {}
instantiateItem[TestItem, TestTemplate]