computeIfAbsent用法,案例

前两天看fetchServer代码,看到里面有一个Map的算子computeIfAbsent,不会这个算子的用法,现在自己来测试一下这个算子

源码如下:

 default V computeIfAbsent(K key,
            Function mappingFunction) {
        Objects.requireNonNull(mappingFunction);
        V v;
        if ((v = get(key)) == null) {
            V newValue;
            if ((newValue = mappingFunction.apply(key)) != null) {
                put(key, newValue);
                return newValue;
            }
        }

        return v;
    }

下面是我的测试代码:

        Map  stringMap = new HashMap<>();
				stringMap.put("wang",null);
        stringMap.computeIfAbsent("wangsheng", K -> new String("wang") );
        stringMap.computeIfAbsent("wang", K -> new String("sheng") );
        stringMap.computeIfAbsent("sheng", k -> "string" );
				stringMap.computeIfAbsent("wang", K ->"string");
        for(Map.Entry n: stringMap.entrySet()){
            System.out.println(n);
        }
        for(String n : stringMap.keySet()){
            System.out.println(n);
        }
        for(String n: stringMap.values()){
            System.out.println(n);
        }

输出结果如下:

wangsheng=wang

wang=sheng

sheng=string

wangsheng

wang

sheng

wang

sheng

string

 

测试用法结果还是比较直接明了的,这个算子就是一个和put功能差不多的算子,都是往map里面添加数据。

不同的是,put只是简单的添加,当map中存在对应Key的时候,put会覆盖掉原本的value值。而computeIfAbsent顾名思义,会检查map中是否存在Key值,如果存在会检查value值是否为空,如果为空就会将K值赋给value。

你可能感兴趣的:(Java)