//遗留代码
void setCacheValue(String name, Object value){
getServletContext().setAttribute(name, value);
}
Object getCacheValue(String name){
return getServletContext().getAttribute(name);
}
//所以我想将通用用于“类型安全”
// first, set method seems working perfectly
<T> void setCacheObject(String name, T value){
getServletContext().setAttribute(name, value);
}
//然后,麻烦就来了
<T> T getCacheValue(String name){
// of course, I cannot change servlet class - it returns Object type
Object value = getServletContext().getAttribute(name);
// would this work:
return (T) value;
// this cast is meaningless... but how should I do it?
}
//这就是我在 clean 调用代码中实现的目标:
{
double x = 1.2;
setCacheValue("x", x);
//...
// later
Double value = getCacheValue("x");
// too bad cannot use primitive type - it cannot handle null
}
那么,这样做的正确方法是什么?
答案 0 :(得分:3)
这确实不可能。您需要以某种方式将“具体”T
作为方法参数传递,以便在运行时期间知道实际类型。常用方法是将其作为Class<T>
传递,以便您可以使用Class#cast()
:
<T> T getCacheValue(String name, Class<T> type) {
return type.cast(getServletContext().getAttribute(name));
}
您可以按如下方式使用它:
Double value = getCacheValue("x", Double.class);
答案 1 :(得分:0)
Map generics支持地图所有值的类型,而不是特定值的不同类型。你可以看到如何伪造它here。基本上这个想法是你必须在密钥上具有类型安全性,其中密钥上有一个泛型类型,它只是为了与值相关联而存在。
在一天结束时,如果没有不安全的演员阵容,你将无法做到这一点,但你可以这样做,使得演员阵容的问题极不可能,并且对班级用户来说是安全的。
答案 2 :(得分:0)
实际上也是编译:
public class Test
{
<T> T getCacheValue(String name){
// of course, I cannot change servlet class - it returns Object type
Object value = getServletContext().getAttribute(name);
// would this work:
return (T) value;
// this cast is meaningless... but how should I do it?
}
public static void main(String... args)
{
Test t = new Test();
Double double = t.<Double>getCacheValue("Double");
}
}
这有点毫无意义(也许你添加了一个类型检查),但我发现它很有趣。