当前位置: 首页>>代码示例 >>用法及示例精选 >>正文


Java HashMap computeIfAbsent()用法及代码示例


Java HashMap computeIfAbsent() 方法计算一个新值并将其与指定的键相关联,如果该键未与散列图中的任何值相关联。

用法:

hashmap.computeIfAbsent(K key, Function remappingFunction)

这里,hashmapHashMap 类的对象。

参数:

computeIfAbsent() 方法采用 2 个参数:

  • key- 与计算值关联的键
  • remappingFunction- 计算指定的新值的函数钥匙

注意: 这remapping function不能接受两个参数。

返回:

  • 返回新的或者旧值与指定的相关联key
  • 如果没有与 key 关联的值,则返回 null

注意: 如果remappingFunction结果null,然后是指定的映射钥匙已移除。

示例 1:Java HashMap computeIfAbsent()

import java.util.HashMap;

class Main {
  public static void main(String[] args) {
    // create an HashMap
    HashMap<String, Integer> prices = new HashMap<>();

    // insert entries to the HashMap
    prices.put("Shoes", 200);
    prices.put("Bag", 300);
    prices.put("Pant", 150);
    System.out.println("HashMap: " + prices);

    // compute the value of Shirt
    int shirtPrice = prices.computeIfAbsent("Shirt", key -> 280);
    System.out.println("Price of Shirt: " + shirtPrice);

    // print updated HashMap
    System.out.println("Updated HashMap: " + prices);
  }
}

输出

HashMap: {Pant=150, Bag=300, Shoes=200}
Price of Shirt: 280
Updated HashMap: {Pant=150, Shirt=280, Bag=300, Shoes=200}

在上面的示例中,我们创建了一个名为 prices 的 hashmap。注意表达式,

prices.computeIfAbsent("Shirt", key -> 280)

这里,

  • 键-> 280是一个 lambda 表达式。它返回值 280。要了解有关 lambda 表达式的更多信息,请访问Java Lambda 表达式.
  • prices.computeIfAbsent()将 lambda 表达式返回的新值与Shirt.这只是可能的,因为Shirt已经没有映射到哈希图中的任何值。

示例 2:computeIfAbsent() 如果 key 已经存在

import java.util.HashMap;

class Main {
  public static void main(String[] args) {
    // create an HashMap
    HashMap<String, Integer> prices = new HashMap<>();

    // insert entries to the HashMap
    prices.put("Shoes", 180);
    prices.put("Bag", 300);
    prices.put("Pant", 150);
    System.out.println("HashMap: " + prices);

    // mapping for Shoes is already present
    // new value for Shoes is not computed
    int shoePrice = prices.computeIfAbsent("Shoes", (key) -> 280);
    System.out.println("Price of Shoes: " + shoePrice);

    // print updated HashMap
    System.out.println("Updated HashMap: " + prices);
  }
}

输出

HashMap: {Pant=150, Bag=300, Shoes=180}
Price of Shoes: 180
Updated HashMap: {Pant=150, Bag=300, Shoes=180}

在上面的示例中,Shoes 的映射已经存在于 hashmap 中。因此,computeIfAbsent() 方法不会计算 Shoes 的新值。

相关用法


注:本文由纯净天空筛选整理自 Java HashMap computeIfAbsent()。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。