1.泛型类
1.1什么是泛型类?
泛型类是有一个或多个类型参数的类
如下所示:
public class Entry<K, V> {
private K key;
private V value;
public Entry(K key, V value) {
this.key = key;
this.value = value;
}
public K getKey() { return key; }
public V getValue() { return value; }
}
这是一个用来存储键值对的泛型类。
1.2 如何实例化泛型类
Entry<String,Integer> entry = new Entry<>("Apple", 22);
//等同于
Entry<String,Integer> entry = new Entry<String,Integer>("Apple", 22);
当构造一个泛型类对象时,可以在构造函数中省略类型参数。
注意: 在构造函数的参数前面,你仍需要提供一对空的尖括号。
2.泛型方法
2.1什么是泛型方法?
泛型方法是带类型参数的方法。泛型方法可以是普通类或者泛型类的方法。
如下所示:
public class ArrayUtil {
//当你声明一个泛型方法时,类型参数要放在修饰符(例如static)之后,返回类型之前。
public static <T> void swap(T[] array, int i, int j) {
T temp = array[i];
array[i] = array[j];
array[j] = temp;
}
}
2.2如何调用泛型方法?
当你调用泛型方法时,不需要指定类型参数。它可以从方法的参数和返回类型中推断出来。
例如:
Apple[] apples = ....;
//这里编译器可以通过参数,推断出T是Apple类型。
ArrayUtil.swap(apples,0,1);
// 也可以在方法名称之前显式地提供类型
ArrayUtil.<Apple>swap(apples,0,1);
3.类型限定
什么是类型限定?
有时候,我们需要类型参数满足某些要求,比如,要求该类型继承某些类或者实现某些接口。
import java.util.ArrayList;
public interface Animal {
void run();
}
class Dog implements Animal {
public void run() {
System.out.println("狗在跑");
}
}
class Cat implements Animal {
public void run() {
System.out.println("猫在跑");
}
}
class Main {
//这里限定了元素类型必须是Animal的子类
public static <T extends Animal> void runAll(ArrayList<T> animals) {
for (T animal : animals) {
animal.run();
}
}
public static void main(String[] args) {
ArrayList<Animal> animalArrayList = new ArrayList<>();
animalArrayList.add(new Dog());
animalArrayList.add(new Cat());
animalArrayList.add(new Dog());
animalArrayList.add(new Dog());
//如果尝试add(new Object()),编译会出错。
Main.runAll(animalArrayList);
}
}
类型参数可以有多个限定。
T extends Runable & AutoCloseable
你可以有多个接口限定,但最多只能有一个是类。如果有一个限定是类,则它必须放在限定列表的第一位。