为什么Java泛型不能用于静态方法?

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

静态方法的泛型

我们可以对静态方法使用泛型

public class GenericMethod {

   static <T>void sampleMethod(T[] array) {

      for(int i=0; i<array.length; i++) {

         System.out.println(array[i]);

      }

   }

   public static void main(String args[]) {

      GenericMethod obj = new GenericMethod();

      Integer intArray[] = {45, 26, 89, 96};

      sampleMethod(intArray);

      String stringArray[] = {"Krishna", "Raju", "Seema", "Geeta"};

      sampleMethod(stringArray);

      Character charArray[] = {'a', 's', 'w', 't'};

      sampleMethod(charArray);

   }

}

输出结果

45

26

89

96

Krishna

Raju

Seema

Geeta

a

s

w

t

在泛型类的类型参数之前,我们不能使用的是静态的。

示例

class Student<T>{

   static 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();

   }

}

编译时错误

GenericsExample.java:3: error: non-static type variable T cannot be referenced from a static context

      static T age;

            ^

1 error

以上是 为什么Java泛型不能用于静态方法? 的全部内容, 来源链接: utcz.com/z/360812.html

回到顶部