在Java中可以创建泛型类型的数组吗?

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

示例

class Student<T>{

   T age;

   Student(T age){

      this.age = age;

   }

   public void display() {

      System.out.println("Value of age: "+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 of age: 25.5

Value of age: 25

Value of age: 25

泛型类型数组

不,如果您尝试创建泛型类型对象的数组,则无法创建,会生成编译时错误。

示例

class Student<T>{

   T age;

   Student(T age){

      this.age = age;

   }

   public void display() {

      System.out.println("Value of age: "+this.age);

   }

}

public class GenericsExample {

   public static void main(String args[]) {

      Student<Float>[] std1 = new Student<Float>[5];

   }

}

编译时错误

GenericsExample.java:12: error: generic array creation

      Student<Float>[] std1 = new Student<Float>[5];

                              ^

1 error

以上是 在Java中可以创建泛型类型的数组吗? 的全部内容, 来源链接: utcz.com/z/317171.html

回到顶部