java - 未经检查强制转换为实现 Map<String, V> 的泛型类

标签 java generics casting type-safety unchecked-cast

我试图理解为什么这段代码有一个未经检查的转换警告。前两个转换没有警告,但第三个有:

class StringMap<V> extends HashMap<String, V> {
}

class StringToIntegerMap extends HashMap<String, Integer> {
}

Map<?, ?> map1 = new StringToIntegerMap();
if (map1 instanceof StringToIntegerMap) {
    StringToIntegerMap stringMap1 = (StringToIntegerMap)map1; //no unchecked cast warning
}

Map<String, Integer> map2 = new StringMap<>();
if (map2 instanceof StringMap) {
    StringMap<Integer> stringMap2 = (StringMap<Integer>)map2; //no unchecked cast warning
}

Map<?, Integer> map3 = new StringMap<>();
if (map3 instanceof StringMap) {
    StringMap<Integer> stringMap3 = (StringMap<Integer>)map3; //unchecked cast warning
}

这是 stringMap3 的完整警告 Actor :

Type safety: Unchecked cast from Map<capture#3-of ?,Integer> to StringMap<Integer>

然而,StringMap类声明指定了 Map 的第一个类型参数(即 String ),两者都是 map3StringMap<Integer> cast 对 Map 的第二个类型参数使用相同的类型(即 Integer )。据我了解,只要 Actor 不抛出 ClassCastException (不应该,因为有一个 instanceof 检查),stringMap3将是一个有效的 Map<String, Integer> .

这是 Java 编译器的限制吗?或者是否存在这样一种情况,即使用某些参数调用 map3 或 stringMap3 的方法可能会导致意外的 ClassCastException如果警告被忽略?

最佳答案

行为如指定的那样。在 Section 5.5.2 of the Java Language Specification未经检查的类型转换定义为:

A cast from a type S to a parameterized type T is unchecked unless at least one of the following is true:

  • S <: T

  • All of the type arguments of T are unbounded wildcards

  • T <: S and S has no subtype X other than T where the type arguments of X are not contained in the type arguments of T.

(其中 A <: B 表示:“AB 的子类型”)。

在您的第一个示例中,目标类型没有通配符(因此它们都是无界的)。在你的第二个例子中,StringMap<Integer>实际上是 Map<String, Integer> 的子类型(并且没有第三个条件中提到的子类型X)。

但是,在您的第三个示例中,您有一个来自 Map<?, Integer> 的类型转换至 StringMap<Integer> , 并且, 因为通配符 ? , 两者都不是另一个的子类型。另外,很明显,并非所有类型参数都是无限通配符,因此所有条件都不适用:这是一个未经检查的异常。

如果代码中出现未经检查的转换,则需要符合标准的 Java 编译器发出警告。

和您一样,我没有看到强制转换无效的任何情况,因此您可以争辩说这是 Java 编译器的限制,但至少它是一个指定的限制。

关于java - 未经检查强制转换为实现 Map<String, V> 的泛型类,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/33862036/

相关文章:

java - 将输入流转换为文件

java - Big Memory 是否与 EhCache 和 Terracotta 服务器相得益彰?

java - 使用 ASM 查找 "implicit"变量的通用签名

Java:泛型只接受枚举类型

c# - 有没有办法为泛型实例提供构造函数参数?

c# - "cast negative number to unsigned integer"这个习语是什么意思?

java - Eclipse Helios 的自定义 Java 代码折叠

java - Google App Engine 后端实例时间预计翻倍

python - Django:如何在 gereric DetailView 中使用自定义 slug(通用详细信息 View DetailView 必须使用对象 pk 或 slug 调用)

java - 通配符和原始类型转换之间有什么区别?