Java中Map的getOrDefault()方法

Java中的Map提供了getOrDefault()方法,对不存在的键值提供默认值的方法。

源码

default V getOrDefault(Object key, V defaultValue) {
        V v;
        return (((v = get(key)) != null) || containsKey(key))
            ? v
            : defaultValue;
}           

例子

    Map<Integer,Integer> map = new HashMap<>();
    map.put(1,11);
    
    // 存在Key1,返回11
    System.out.println(map.getOrDefault(1,22));
    // 不存在Key3,返回默认值33
    System.out.println(map.getOrDefault(3,33));

	//输出
	11
	33

由于该方法判定条件是只要满足获取的值不为空或者包含对应的key则不返回默认值,意味着就算出现key to null这种键值对时,依然返回null而不是默认值

	Map<Integer,Integer> map = new HashMap<>();
    map.put(1,11);
    map.put(2,null);
    
    System.out.println(map.getOrDefault(1,22));
    
    System.out.println(map.getOrDefault(2,33));

	// 输出
	11
	null

你可能感兴趣的:(java)