1、泛型是什么?
泛型 = 未知的数据类型。
2、为什么要用泛型?
当使用一个可包容各种数据类型的类,我们就要用到泛型。
但是,如果A数据类型的方法我们用到B上,会在运行期报错;
使用泛型可以将运行期报错转变为编译期报错。
3、什么是从运行期报错到编译器报错,可以举例吗?
import java.util.ArrayList;
import java.util.Iterator;
public class test2 {
public static void main(String[] args) {
ArrayList list = new ArrayList();
list.add(1);
list.add("abc");
Iterator it = list.iterator();
while (it.hasNext()){
// 将 ArrayList 里的数据都视作字符串处理
String str = (String)it.next();
System.out.println(str.length());
}
}
}
Exception in thread "main" java.lang.ClassCastException:
java.lang.Integer cannot be cast to java.lang.String
分析:
想把 ArrayList 里面的元素都当作字符串处理,但是在处理前,添加了非字符串的数据。
如果没有用泛型【ArrayList list = new ArrayList();】,那么会在运行期间报错;
如果使用了泛型,就会在编译器报错;因为编译器不允许非 String 类型的数据被 add进来
4、如何使用泛型?
定义泛型记住泛型出现的位置即可;
① 类的定义名后面;
② 类的成员方法修饰符(void, boolean, int 等)前面;
③ 类的成员方法参数列表里的数据类型;
在主函数中使用泛型,创建类的对象即可,在new 类名后面加上泛型;
public class PrintTwice<E> {
public <E> void method(E e){
System.out.println(e);
System.out.println(e);
}
}
public class test {
public static void main(String[] args) {
// 使用带泛型的类,需要先创建带入具体数据类型的对象
PrintTwice pT = new PrintTwice<Integer>();
pT.method(1);
PrintTwice pT2 = new PrintTwice<String>();
pT2.method("James");
}
}
5、接口可以用泛型吗?
可以。
6、接口如何使用泛型?
两种方法:
① 在接口实现类指定泛型;
泛型出现的位置:接口名后、接口内抽象方法参数列表中
② 在接口实现类依然使用泛型,在创建对象时指定泛型
泛型出现的位置:接口名后、接口内抽象方法参数列表中、接口实现类名后、接口实现类继承的接口类名后、接口实现类的覆盖方法的参数列表中
① 在接口实现类指定泛型
public interface OjbkPrint<E> {
void method(E e);
}
public class PrintTwice implements OjbkPrint<String> {
public void method(String e){
System.out.println(e);
}
}
public class test {
public static void main(String[] args) {
PrintTwice pT = new PrintTwice();
pT.method("MVP~~~");
}
}
② 在接口实现类依然使用泛型,在创建对象时指定泛型
public interface OjbkPrint<E> {
void method(E e);
}
public class PrintTwice<E> implements OjbkPrint<E> {
public void method(E e){
System.out.println(e);
}
}
public class test {
public static void main(String[] args) {
PrintTwice pT = new PrintTwice<String>();
pT.method("MVP~~~");
}
}