英文:
Generic Method in Java - How to return the param class type as return type
问题
如何将返回类型与classType(第二个参数)相同?
public <T> T getJsonPojo(String fileName, Class<T> classType) {
try {
return objectMapper.readValue(new File(classLoader.getResource(fileName).getFile()), classType);
} catch (IOException e) {
e.printStackTrace();
}
return null;
}
现在我可以这样调用:
A obj = getJsonPojo("filePath", A.class);
英文:
How to return the same classType (2nd param) as return type?
public Object getJsonPojo(String fileName, Class classType) {
try {
return objectMapper.readValue(new File(classLoader.getResource(fileName).getFile()), classType);
} catch (IOException e) {
e.printStackTrace();
}
return null;
}
Now I can call like below only
A obj = (A) getJsonPojo("filePath", A.class);
I want to have something like below, for example (without casting):
A obj = getJsonPojo("filePath", A.class);
答案1
得分: 1
使用方法级别的通用参数和显式转换。
public <T> T getJsonPojo(String fileName, Class<T> classType) {
try {
File file = new File(classLoader.getResource(fileName).getFile());
return (T) objectMapper.readValue(file, classType);
} catch (IOException e) {
e.printStackTrace();
}
}
或者,通用类型 <T>
可以存在于类级别。
无论哪种情况,都不要使用原始的 Class
,而是指定通用类型 Class<T>
。
英文:
Use the generic parameter at the method level and the explicit casting.
public <T> T getJsonPojo(String fileName, Class<T> classType) {
try {
File file = new File(classLoader.getResource(fileName).getFile());
return (T) objectMapper.readValue(file, classType);
} catch (IOException e) {
e.printStackTrace();
}
}
Alternatively, the generic type <T>
can be present at the class level.
In any case, don't use raw Class
but specify a generic type Class<T>
.
通过集体智慧和协作来改善编程学习和解决问题的方式。致力于成为全球开发者共同参与的知识库,让每个人都能够通过互相帮助和分享经验来进步。
评论