一、泛型的简介
1、为什么要使用泛型?
一般使用在集合上,比如现在把一个字符串类型的值放入到集合里面,这个时候,这个值放到集合之后,失去本身的类型,只能是object类型。这时,如果想要对这个值进行类型转换,很容易出现类型转换错误,怎么解决这个问题,可以使用泛型来解决。
2、在泛型里面写是一个对象,String 不能写基本的数据类型 比如int,要写基本的数据类型对应的包装类
基本数据类型 | 对应包装类 | 基本数据类型 | 对应包装类 |
byte | Byte | short | Short |
int | Integer | long | Long |
float | Float | double | Double |
char | Character | boolean | Boolean |
二、在集合上如何使用泛型
-常用集合 list set map
-泛型语法:集合<String> 比如list<String>
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
|
//泛型在list上的使用
@Test
public void testList() {
List<String> list = new ArrayList<String>();
list.add( "aaa" );
list.add( "bbb" );
list.add( "ccc" );
//for循环
for ( int i = 1 ;i<list.size();i++) {
String s = list.get(i);
System.out.println(s);
}
System.out.println( "=================" );
//增强for循环
for (String string : list) {
System.out.println(string);
}
//迭代器
Iterator<String> it = list.iterator();
while (it.hasNext()){
System.out.println(it.next());
}
}
//泛型在set上的使用
@Test
public void testSet() {
Set<String> set = new HashSet<String>();
set.add( "www" );
set.add( "qqq" );
set.add( "zzz" );
//使用增强for循环
for (String s2 : set) {
System.out.println(s2);
}
System.out.println( "=============" );
//使用迭代器
Iterator<String> iterator = set.iterator();
while (iterator.hasNext()) {
System.out.println(iterator.next());
}
}
//在map上使用泛型
@Test
public void testMap() {
Map<String,String> map = new HashMap<String, String>();
map.put( "aaa" , "111" );
map.put( "bbb" , "222" );
map.put( "ccc" , "333" );
//遍历map,有两种
//1、获取所有的key,通过key得到value,使用get方法
//2、获取key和value的关系
//使用第一种方式遍历
//获取所有的key
Set<String> sets = map.keySet();
//遍历所有的key
for (String key : sets) {
String value = map.get(key);
System.out.println(key+ ":" +value);
}
System.out.println( "========" );
//使用第二种方式遍历
//得到key和value的关系
Set<Map.Entry<String,String>> sets1 = map.entrySet();
//遍历sets1
for (Map.Entry<String,String> entry :sets1) {
String keyv = entry.getKey();
String valuev = entry.getValue();
System.out.println(keyv+ ":" +valuev);
}
}
|
三、在方法上使用泛型
定义一个数组,实现指定位置上数组元素的交换
方法逻辑相同,只是数据类型不同,这个时候使用泛型方法
1
2
3
4
5
6
7
8
9
10
11
|
/*
* 使用泛型方法需要定义一个类型使用大小字母表示T:T表示任意的类型
* 写在返回值之前void之前
* =========表示定义了一个类型,这个类型是T
* 在下面就可以使用类型
* */
public static <T> void swap(T[] arr, int a, int b) {
T temp = arr[a];
arr[a] = arr[b];
arr[b] = temp;
}
|
四、泛型在类上的使用
1
2
3
4
5
6
7
8
|
public class TestDemo04<T> {
//在类里面可以直接使用T的类型
T aa;
public void test1(T bb) {}
//写一静态方法,在类上面定义的泛型,不能在静态方法里面使用,需重新定义泛型
public static <A> void test2(A cc) {}
}
|
以上就是详细分析Java 泛型的使用的详细内容,更多关于Java 泛型的使用的资料请关注服务器之家其它相关文章!
原文链接:https://www.cnblogs.com/gdwkong/p/7422894.html