我在实现参数化类参数时遇到了一个特定的问题,但这是我之前遇到泛型的问题,所以一般的解决方案会很好..
类Parameter存储严格数量的类之一的值:
public class Parameter<T> {
/*
* Specify what types of parameter are valid
*/
private static final Set<Class<?>> VALID_TYPES;
static {
Set<Class<?>> set = new HashSet<Class<?>>();
set.add( Integer.class );
set.add( Float.class );
set.add( Boolean.class );
set.add( String.class );
VALID_TYPES = Collections.unmodifiableSet(set);
}
private T value;
public Parameter(T initialValue) throws IllegalArgumentException {
// Parameter validity check
if (!VALID_TYPES.contains(initialValue.getClass())) {
throw new IllegalArgumentException(
initialValue.getClass() + " is not a valid parameter type");
}
value = initialValue;
}
public T get() { return value; }
public void set(T value) {
this.value = value;
}
}
这很好,直到我尝试在集合中存储Parameter的实例。例如:
Parameter<Integer> p = new Parameter<Integer>(3);
int value = (Integer)p.get();
p.set(2); // Fine
ArrayList<Parameter<?>> ps = new ArrayList<Parameter<?>>();
ps.add(p);
value = (Integer)(ps.get(0).get());
ps.get(0).set(4); // Does not compile due to type erasure
在这种情况下,其他人会做些什么来解决这个问题?
由于
答案 0 :(得分:1)
嗯,你不能直接解决这个问题..但也许你还记得初始值的类吗?
class Parameter<T> {
// ...
private T value;
private final Class<?> klass;
public Parameter(T initialValue) throws IllegalArgumentException {
if (!VALID_TYPES.contains(initialValue.getClass()))
throw new IllegalArgumentException(...);
value = initialValue;
klass = initialValue.getClass();
}
@SuppressWarnings("unchecked")
public void set(Object value) {
if (value != null && value.getClass() != klass)
throw new IllegalArgumentException(...);
this.value = (T)value;
}
但是,您将失去对set()的编译时类型检查。
答案 1 :(得分:0)
它不是类型擦除 - 您尝试将一个整数值赋给对象类型变量。如果参数类型为 Integer
,则仅工作,然后编译器知道整数必须被收件箱。
改为尝试:
<击> ps.get(0).set(new Integer(4)); 击>
你可以马上做什么:完全删除<?>
表达式。它将通过编译器警告替换编译器错误。根本没有辉煌,但编译。