什么是Java中的无界通配符wrt泛型方法?

泛型是Java中的一个概念,您可以在其中启用类,接口和方法,以接受所有(引用)类型作为参数。换句话说,该概念使用户能够动态选择方法(类的构造函数)接受的引用类型。通过将类定义为泛型,可以使其成为类型安全的,即它可以作用于任何数据类型。

要定义泛型类,您需要在类名称后的尖括号“ <>”中指定要使用的类型参数,并将其视为实例变量的数据类型,然后继续执行代码。

示例

class Student<T>{
   T age;
   Student(T age){
      this.age = age;
   }
   public void display() {
      System.out.println("Value: "+this.age);
   }
}
public class GenericsExample {
   public static void main(String args[]) {
      Student<Float> std1 = new Student<Float>(25.5f);
      std1.display();
      Student<String> std2 = new Student<String>("25");
      std2.display();
      Student<Integer> std3 = new Student<Integer>(25);
      std3.display();
   }
}

输出结果

Value: 25.5
Value: 25
Value: 25

通配符

除了泛型(T)中的类型化参数外,您还可以使用“?”来表示未知类型。您可以将通配符用作-

  • 参数类型。

  • 字段

  • 本地字段。

对通配符的唯一限制是,您不能在调用它时将其作为泛型方法的类型参数。

Java提供3种类型的通配符,即上限,下限,无界。

无界通配符

无界通配符是一种允许使用未知类型的所有子类型的通配符,即,任何类型(对象)都可以用作类型参数。

例如,如果要接受对象类型的ArrayList作为参数,则只需要声明一个无界通配符。

要创建/声明无界通配符,您只需要指定通配符“?” 作为尖括号内的类型化参数。

示例

以下Java示例演示了无界通配符的创建。

import java.util.List;
import java.util.Arrays;
public class UnboundedExample {
   public static void sampleMethod(List<?> col){
      for (Object ele : col) {
         System.out.print(ele+" ");
      }
      System.out.println("");
   }
   public static void main(String args[]) {
      ArrayList<Integer> col1 = new ArrayList<Integer>();
      col1.add(24);
      col1.add(56);
      col1.add(89);
      col1.add(75);
      col1.add(36);
      sampleMethod(col1);
      ArrayList<Double> col2 = new ArrayList<Double>();
      col2.add(24.12d);
      col2.add(56.25d);
      col2.add(89.36d);
      col2.add(75.98d);
      col2.add(36.47d);
      sampleMethod(col2);
   }
}

输出结果

24 56 89 75 36
24.12 56.25 89.36 75.98 36.47

如果传递从数组创建的List对象(包含基本类型的元素),则会生成编译时错误。

示例

import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
public class UnboundedExample {
   public static void sampleMethod(List<?> col){
      for (Object ele : col) {
         System.out.print(ele+" ");
      }
      System.out.println("");
   }
   public static void main(String args[]) {
      ArrayList<Integer> col1 = new ArrayList<Integer>();
      col1.add(24);
      col1.add(56);
      col1.add(89);
      col1.add(75);
      col1.add(36);
      sampleMethod(col1);
      ArrayList<Double> col2 = new ArrayList<Double>();
      col2.add(24.12d);
      col2.add(56.25d);
      col2.add(89.36d);
      col2.add(75.98d);
      col2.add(36.47d);
      sampleMethod(col2);
      List<Object> col2 = Arrays.asList(22.1f, 3.32f, 51.4f, 82.7f, 95.4f, 625.f);
      sampleMethod(col2);
   }
}

编译时错误

UnboundedExample.java:27: error: variable col2 is already defined in method main(String[])
      List<Object> col2 = Arrays.asList(22.1f, 3.32f, 51.4f, 82.7f, 95.4f, 625.f);
                  ^
1 error