我有以下界面作为参数映射并接受InsectTypesEntity
并返回InsectDataModel
的对象和另一个返回List<InsectDataModel>
我正在尝试使用泛型,因为我想练习它。
interface InsectInteractorMapper<T> {
fun map(insectTypesEntity: T): T
fun map(cursor: Cursor): List<T>
}
如果没有泛型,它将是这样的:
interface InsectInteractorMapper<InsectTypesEntity> {
fun map(insectTypesEntity: InsectTypesEntity): InsectDataModel
fun map(cursor: Cursor): List<InsectDataModel>
}
我正在尝试使用接口的通用版本来实现我的类,但是,我得到了许多相关的错误:
1) Return type is 'insectDataModel' which is not a subtype of overridden
public abstract fun map(insectTypesEntity: InsectTypesEntity): InsectTypeEntity defined in InsectInteractorMapper
2) Return type is 'List<InsectDataModel>' which is not a subtype of overridden
public abstract fun map(cursor: Cursor): List<InsectTypesEntity> defined in InsectInteractorMapper
实现接口的类
class InsectInteractorMapperImp: InsectInteractorMapper<InsectTypesEntity> {
override fun map(insectTypesEntity: InsectTypesEntity): InsectDataModel {
return InsectDataModel(
insectTypesEntity.friendlyName,
insectTypesEntity.scientificName,
insectTypesEntity.classification,
insectTypesEntity.imageAsset,
insectTypesEntity.dangerLevel)
}
override fun map(cursor: Cursor): List<InsectDataModel> {
val insectDataModelList: MutableList<InsectDataModel> = mutableListOf()
cursor.moveToFirst()
while(cursor.moveToNext()) {
InsectDataModel().let {
it.friendlyName = cursor.getString(cursor.getColumnIndexOrThrow(InsectContract.COLUMN_FRIENDLY_NAME))
it.scientificName = cursor.getString(cursor.getColumnIndexOrThrow(InsectContract.COLUMN_SCIENTIFIC_NAME))
it.dangerLevel = cursor.getInt(cursor.getColumnIndexOrThrow(InsectContract.COLUMN_DANGER_LEVEL))
insectDataModelList.add(it)
}
}
cursor.close()
return insectDataModelList.toList()
}
}
使用泛型可以正常工作的最佳方法是什么?
非常感谢任何建议,
====更新 用于输入/输出方差的修改接口:
interface InsectInteractorMapper<in E, out M> {
fun map(insectTypesEntity: E): M
fun map(cursor: Cursor): List<M>
}
但是,当我尝试使用界面时,我收到警告:
unchecked assignment java.util.List to java.util.List<InsectDataModel> Reason insectDataModelMapper has raw type so result of map will be erased
当我像这样使用它时:
insectInteractorMapper = new InsectInteractorMapperImp();
insectDataModelList = insectInteractorMapper.map(cursor);
答案 0 :(得分:7)
由于您需要in
类型和out
类型,因此您需要声明以下类型:
interface InsectInteractorMapper<in T1, out T2> {
fun map(insectTypesEntity: T1): T2
fun map(cursor: Cursor): List<T2>
}
然后您的代码将起作用