我需要创建一个空地图。
if (fileParameters == null)
fileParameters = (HashMap<String, String>) Collections.EMPTY_MAP;
问题是上面的代码产生了这个警告: 类型安全:取消选中从地图投射到HashMap
创建此空地图的最佳方法是什么?
答案 0 :(得分:198)
1)如果地图可以是不可变的:
Collections.emptyMap()
// or, in some cases:
Collections.<String, String>emptyMap()
当编译器无法自动确定需要哪种Map时,你必须使用后者(这称为type inference)。例如,考虑一个声明如下的方法:
public void foobar(Map<String, String> map){ ... }
将空Map直接传递给它时,您必须明确说明类型:
foobar(Collections.emptyMap()); // doesn't compile
foobar(Collections.<String, String>emptyMap()); // works fine
2)如果您需要能够修改地图,那么例如:
new HashMap<String, String>()
附录:如果您的项目使用Guava,则可以使用以下替代方法:
1)不可变地图:
ImmutableMap.of()
// or:
ImmutableMap.<String, String>of()
当然,与Collections.emptyMap()
相比,这里没有什么好处。 From the Javadoc:
此地图与
Collections.emptyMap()
的行为和表现相当, 并且主要是为了您的一致性和可维护性 代码。
2)您可以修改的地图:
Maps.newHashMap()
// or:
Maps.<String, String>newHashMap()
Maps
包含用于实例化其他类型地图的类似工厂方法,例如TreeMap
或LinkedHashMap
。
更新(2018):在 Java 9 或更新版本中,创建不可变空地图的最短代码为:
Map.of()
...使用convenience factory methods中的新JEP 269。
答案 1 :(得分:14)
答案 2 :(得分:14)
答案 3 :(得分:9)
如果您需要HashMap的实例,最好的方法是:
fileParameters = new HashMap<String,String>();
由于Map是一个接口,如果要创建一个空实例,则需要选择一个实例化它的类。 HashMap看起来和其他任何一样好 - 所以只需使用它。
答案 4 :(得分:6)
Collections.emptyMap()
或类型推断在您的情况下不起作用,
Collections.<String, String>emptyMap()
答案 5 :(得分:2)
由于在许多情况下空映射用于空安全设计,因此您可以使用nullToEmpty
实用程序方法:
class MapUtils {
static <K,V> Map<K,V> nullToEmpty(Map<K,V> map) {
if (map != null) {
return map;
} else {
return Collections.<K,V>emptyMap(); // or guava ImmutableMap.of()
}
}
}
类似于集合:
class SetUtils {
static <T> Set<T> nullToEmpty(Set<T> set) {
if (set != null) {
return set;
} else {
return Collections.<T>emptySet();
}
}
}
并列出:
class ListUtils {
static <T> List<T> nullToEmpty(List<T> list) {
if (list != null) {
return list;
} else {
return Collections.<T>emptyList();
}
}
}
答案 6 :(得分:1)