泛型的好处:
类型安全。 泛型的主要目标是提高 Java 程序的类型安全。通过知道使用泛型定义的变量的类型限制,编译器可以在一个高得多的程度上验证类型假设。没有泛型,编译器可能正常编译但运行时会报错。例如Object类的向下转型。
消除强制类型转换。 泛型的一个附带好处是,消除源代码中的许多强制类型转换。这使得代码更加可读,并且减少了出错机会。
泛型擦除:
编译器在编译期,将泛型转化为原生类型。并在相应的地方插入了强制转型的代码
## 编译前
public class GenericErasure {
public static void main(String[] args) {
Map<String, String> map = new HashMap<>();
map.put("hj", "fds");
System.out.println(map.get("hj"));
}
}
##编译后
public class GenericErasure {
public GenericErasure() {
}
public static void main(String[] args) {
Map<String, String> map = new HashMap();
map.put("hj", "fds");
System.out.println((String)map.get("hj"));
}
}
T 只有extends一种限定方式,<T extends List>是合法的,<T super List>是不合法的
?有extends与super两种限定方式,即<? extends List> 与<? super List>都是合法的
T 用于泛型类和泛型方法的定义。?用于泛型方法的调用和形参,即下面的用法是不合法的:
public class Generic1<? extends List<String> {
public <? extends List> void test(String t) {
}
}
https://blog.csdn.net/weixin_43320847/article/details/82939786
https://www.cnblogs.com/android-blogs/p/5541562.html