Java 泛型你了解多少,springboot 常见面试题
this.elem[this.UsedSize] = value;
UsedSize++;
}
//得到顺序表 index 的值
public int getIndex(int index){
return this.elem[index];
}
public static void main(String[] args) {
MyArrayList myArrayList = new MyArrayList();
myArrayList.Insert(1);
myArrayList.Insert(2);
myArrayList.Insert(3);
int ret =myArrayList.getIndex(0);
System.out.println(ret);
}
}
这里我们可以看到我们实现的 insert 方法里里面只能插入整型,而插入其他类型的就会报错
这里有人就会提到 Object 为所有类的父类,那么我们可以将数组设置成 Object,我们看一下效果
public class MyArrayList {
public Object[] elem;//没有初始化默认 null
public int UsedSize;//没有初始化默认 0
//使用构造方法对其赋值
public MyArrayList(){
this.elem = new Object[10];
this.UsedSize = 0;
}
//插入:每次放在最后
public void Insert(Object value){
this.elem[this.UsedSize] = value;
UsedSize++;
}
//得到顺序表 index 的值
public Object getIndex(int index){
return this.elem[index];
}
public static void main(String[] args) {
MyArrayList myArrayList = new MyArrayList();
myArrayList.Insert("王一博");
myArrayList.Insert(2);
myArrayList.Insert(3);
myArrayList.Insert("胡歌");
myArrayList.Insert(12.5);
myArrayList.Insert(10000);
String str = (String) myArrayList.getIndex(0);
}
}
这里我们明显看到当换成 Object 的时候,这个数组里面什么都可以放,这无疑是一个 bug,这虽然不是一个多好的例子,但是能够引出泛型的重要性。
而且不知道有没有人发现当我们想要获取 0 号位置下的元素时,明明是 String 类型,却需要强转成 String 类型
面临的问题
1.当我们获取一个值的时候,必须进行强制类型转换。
2.当我们插入一个值的时候,无法约束预期的类型。假定我们预想的是利用 string 来存放 String 集合,因为 ArrayList 只是维护一个 Object 引用的数组,我们无法阻止将 Integer 类型(Object
子类)的数据加入 string。然而,当我们使用数据的时候,需要将获取的 Object 对象转换为我们期望的类型(String),如果向集合中添加了非预期的类型(如 Integer),编译时我们不会收到任何的错误提示。
所以这就引出了泛型
泛型
什么是泛型:泛型,即“参数化类型”。一提到参数,最熟悉的就是定义方法时有形参,然后调用此方法时传递实参。那么参数化类型怎么理解呢?顾名思义,就是将类型由原来的具体的类型参数化,类似于方法中的变量参数,此时类型也定义成参数形式(可以称之为类型形参),然后在使用/调用时传入具体的类型(类型实参)。
实现一个通用的顺序表:我们可以指定来存放指定类型的数据元素
代码案例
//<T>只是一个占位符,代表当前类是一个泛型,这里的 T 也可以是 K,V,E 等
//如果后面有指定类型,那么这里的 T 就是什么类型
public class MyArrayList<T> {
public T[] elem;
public int UsedSize;
//使用构造方法对其赋值
public MyArrayList(){
//这里有一个坑,那就是泛型类的数组是不可以 new 的,如 T[] t = new T[]; ERROR
this.elem = (T[]) new Object[10];
this.UsedSize = 0;
}
//插入:每次放在最后
public void Insert(T value){
this.elem[this.UsedSize] = value;
UsedSize++;
}
//得到顺序表 index 的值
public Object getIndex(int index){
return this.elem[index];
}
public static void main(String[] args) {
//这里指定是 String 类型,那么就只能插入 String 类型,如果存放整型就会报错,
评论