谈谈JAVA中泛型?的作用

在java泛型中,?表示任何类型,比如Set<?>表示Set中支持任何类型元素。那这跟直接用Set有什么区别呢?我们先看以下两段代码:

使用Set:

1 public static void printSet(Set s) {
2     s.add("2");
3     for (Object o : s) {
4         System.out.println(o);
5     }
6 }

使用Set<?>:

1 public static void printSet(Set<?> s) {
2     s.add(10);//this line is illegal 
3     for (Object o : s) {
4         System.out.println(o);
5     }
6 }

很遗憾,第二段代码的第2行出错了。原因是:我们不知道Set中的具体类型,所以我们不能把任何类型的元素添加到Set中(null除外)。这样做是为了保证这个Set中的元素类型一致。而使用不带泛型的Set不存在这样的限制,你可以把不同类型的元素添加进去,当然,这样做是不值得推荐的。

 

不过以下代码对于Set<?>是合法的:

谈谈JAVA中泛型?的作用
public static void main(String[] args) {
    HashSet<Integer> s1 = new HashSet<Integer>(Arrays.asList(1,2,3));
    HashSet<Integer> s2 = new HashSet<Integer>(Arrays.asList(4,2,3));
 
    System.out.println(getUnion(s1, s2));
}
 
public static int getUnion(Set<?> s1, Set<?> s2){
    int count = s1.size();
    for(Object o : s2){
        if(!s1.contains(o)){
            count++;
        }
    }
    return count;
}
谈谈JAVA中泛型?的作用

泛型?的作用是:当你需要使用泛型,但是不知道或者不关心它的具体类型的时候,你可以使用它。

 

另外,由于java泛型的缺陷(参考java编程思想),以下代码是不合法的:

谈谈JAVA中泛型?的作用
1     public static void main(String... args){
2         Set<Integer> s = new HashSet<Integer>(Arrays.asList(1,2,3));
3         print(s);//this line is illegal
4     }
5 
6     public static void print(Set<Number> s){
7 
8     }
谈谈JAVA中泛型?的作用

但是这样写是合法的:

谈谈JAVA中泛型?的作用
1     public static void main(String... args){
2         Set<Integer> s = new HashSet<Integer>(Arrays.asList(1,2,3));
3         print(s);//OK
4     }
5 
6     public static void print(Set<? extends Number> s){
7 
8     }
谈谈JAVA中泛型?的作用

谈谈JAVA中泛型?的作用

上一篇:ubuntu.sh: 113: ubuntu.sh: Syntax error: "(" unexpected


下一篇:iOS 多参数 ...NS_REQUIRES_NIL_TERMINATION 的写法