Consider the following code:
public class Main {
public static class NormalClass {
public Class method() {
return Inte
The type of a constructor (§8.8), instance method (§8.4, §9.4), or non-static field (§8.3) M of a raw type C that is not inherited from its superclasses or superinterfaces is the raw type that corresponds to the erasure of its type in the generic declaration corresponding to C.
Java Language Specification
In order to be compatible with Java 1.4 compiler assumes that if you drop the generic arguments on instance type declaration, then you work with the special version of the class where no generics exist at all. And it issues a warning if you mix a Java 1.4 non-generic code with Java 1.5+ generic code. That's easier than trying to figure out whether generic return type of your method is actually independent from parameters. You can always @SuppressWarning
if you don't like it.
Raw types were allowed to ensure compatibility with code written before generics were introduced. Raw types work by simply ignoring all type information from all method arguments and return types, even type information that is not related to the type parameter of the class. This can lead to strange results, as you have found. But it gets even stranger than this. For example, this compiles.
public class Main {
public static class GenericClass<T> {
public void foo(Class<Integer> clazz) {
}
}
public static void main(String... args) {
GenericClass unsafeInstance = new GenericClass();
unsafeInstance.foo(String.class);
}
}
This might have to do with the instantiation of GenericClass which is a parameterized type and hence type arguments are needed in it. The warning vanishes if we do something like the following
GenericClass<String> unsafeInstance = new GenericClass<String>();
OR
GenericClass<?> unsafeInstance = new GenericClass();
As per my point of view, the reference "unsafeInstance
" refers to a class which is generic in nature as opposed to "safeInstance
". Thus the compiler may want the type information be associated to the reference before any method is called using it in code.