8.5.4泛型与遗留代码

8.5.4泛型与遗留代码

Java泛型在设计时就考虑到与遗留代码的兼容。例如API中JSlider类的方法:

void setLabelTable(Dictionary table)

参数Dictionary是原始类型的(因为该方法先于泛型存在)。但是在Java 5.0以后,你用到Dictionary时,就应该使用泛型(当然是因为泛型的好处):

Dictionary<Integer,Component> labelTable = new Hashtable<>();
labelTable.put(0, new JLabel(new ImageIcon("nine.gif")));
labelTable.put(20, new JLabel(new ImageIcon("ten.gif")));
...

当你将这个Dictionary 对象传给setLabelTable 方法时,即把具有参数类型的对象赋给原始类型的引用时(这里是形参)不会有任何问题

slider.setLabelTable(labelTable);\\没有任何问题

你也可以把原始类型的对象赋给含参数类型的引用,不过会得到一条警告信息:

Dictionary<Integer,Component> labelTable = slider.getLabelTable();\\警告
			\\unchecked conversion from raw to generics	

编译器无法保证右边得到的原始类型的Dictionary其元素类型是(Integer,Component),所以会有一条“未检查的转换:从Dictionary转换成Dictionary是不安全的”警告信息。这个警告人畜无害,只要习惯了就好了。如果你觉得编译器老弹警告很烦,可以用使用annotation让它消失。下面的annotation可以用在局部变量前面,用来关闭编译器对这个变量的检查:

@SuppressWarning("unchecked")
Dictionary<Integer,Component> labelTable = slider.getLabelTable();\\安静了

或者应用于整个方法:

@SuppressWarning("unchecked")
public void configureSlider(){...}

用来关闭编译器对整个方法中的代码的检查。

你可能感兴趣的:(8.5.4泛型与遗留代码)