泛型
作用
在对集合进行操作的时候,在集合中添加不同类型的元素能够添加成功,编译也不会报错,在使用强制类型转换之时便会报java.lang.ClassCastException的异常。
ArrayList list = new ArrayList();
//需求:存放学生的成绩
list.add(78);
list.add(74);
//问题一:类型不安全
list.add("Tom");
for(Object score : list){
//问题二:强转时,可能出现ClassCastException
int stuScore = (Integer) score;
System.out.println(stuScore);
}
于是引入了泛型,泛型可以在编译时就进行类型检查
ArrayList<Integer> list = new ArrayList<Integer>();
list.add(73);
list.add(88);
list.add(99);
//编译时,就会进行类型检查
list.add("Tom");//编译不通过
for(Integer score : list){
int stuScore = score;
System.out.println(stuScore);
}
自定义泛型
泛型类
public class Order<T> {
String orderName;
int orderId;
T orderT;
public Order(String orderName, int orderId, T orderT){
this.orderName = orderName;
this.orderId = orderId;
this.orderT = orderT;
}
public void setOrderT(T orderT) {
this.orderT = orderT;
}
}
泛型接口
public interface Generator<T> {
public T next();
}
泛型方法
public List<T> getForList(int index){
return null;
}
通配符?
Object obj = null;
String str = null;
obj = str;//编译通过
List<Object> list1 = null;
List<String> list2 = null;
list1 = list2;//编译不通过
使用?可以通过编译
List<Object> list1 = new ArrayList<>();
List<String> list2 = null;
List<?> list = null;
list = list1;
System.out.println(list);
list = list2;
System.out.println(list);
//对于list<?>不能向其内部添加数据,null除外
//list.add("aa");
限制条件
<? extends A>:<= A
<? super A>:>= A
//创建泛型类
class Generic<T>{
private T key;
public Generic(T key) {
this.key = key;
}
public T getKey(){
return key;
}
}
//使用方法验证
public void showKeyValue1(Generic<? extends Number> obj){
System.out.println("key value is " + obj.getKey());
}
Generic<String> generic1 = new Generic<>("String");
Generic<Integer> generic2 = new Generic<>(2222);
Generic<Float> generic3 = new Generic<>(222F);
Generic<Double> generic4 = new Generic<>(4.444);
//编译错误,因为String类型不是Number类型的子类
// showKeyValue1(generic1);
showKeyValue1(generic2);
showKeyValue1(generic3);
showKeyValue1(generic4);