我有不同类别的地图键
class MapKeyParent{}
class MapKeyOne<U> extends MapKeyParent{}
class MapKeyOne<U,V> extends MapKeyParent{}
我有一堂课,那里有一系列可以容纳这些钥匙的地图,
class MapStorage{
Map<MapKeyParent, Integer>[] mapArray;
public MapStorage() {
super();
mapArray=
new HashMap<MapKeyParent, Integer>[NO_OF_RANKS];
mapArray[0] = new HashMap<MapKeyParent, Integer>();
mapArray[1] = new HashMap<MapKeyParent, Integer>();
....
}
public void addToMap(int index, MapKeyParent key, Integer value )
{
mapArray[index].put(key, value);
}
public Integer getFromMap(int index, MapKeyParent key)
{
return mapArray[index].get(key);
}
}
如何在声明,放置和获取时将泛型应用于MapStorage的MapStorage的MapStorage?
最佳答案
数组不能具有参数化类型的组件类型。在运行时,参数化类型将由于类型擦除而丢失通用类型信息。这将允许将实现Map
接口的所有对象添加到数组中。
您可以通过使用List
并将其类型参数指定为Map<MapKeyParent, Integer>
来解决此问题。
List<Map<MapKeyParent, Integer>> mapList;
有关更多详细说明,请参见Generic Faq。
这将需要您重构代码:
class MapStorage{
List<Map<MapKeyParent, Integer>> mapList;
public MapStorage() {
mapList.add(new HashMap<MapKeyParent, Integer>());
mapList.add(new HashMap<MapKeyParent, Integer>());
....
}
public void addToMap(int index, MapKeyParent key, Integer value )
{
mapList.get(index).put(key, value);
}
public Integer getFromMap(int index, MapKeyParent key)
{
return mapList.get(index).get(key);
}
}
关于java - 在这种情况下如何声明和使用通用映射,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/20154412/