📜  Java HashMap computeIfAbsent()

📅  最后修改于: 2020-09-27 00:37:28             🧑  作者: Mango

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

computeIfAbsent()方法的语法为:

hashmap.computeIfAbsent(K key, Function remappingFunction)

在这里, hashmapHashMap类的对象。


computeIfAbsent()参数

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

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

注意重新映射函数不能接受两个参数。


computeIfAbsent()返回值
  • 返回与指定关联的 旧值
  • 如果没有与关联的null则返回null

注意 :如果remappingFunction结果为null ,则将删除指定的映射。


示例1:Java HashMap的computeIfAbsent()
import java.util.HashMap;

class Main {
  public static void main(String[] args) {
    // create an HashMap
    HashMap 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}

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

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

这里,

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

示例2:如果密钥已经存在,则为computeIfAbsent()
import java.util.HashMap;

class Main {
  public static void main(String[] args) {
    // create an HashMap
    HashMap 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的映射已经存在于哈希图中。因此, computeIfAbsent()方法不会计算Shoes的新值。


推荐读物
  • HashMap compute()-计算指定键的值
  • HashMap computeIfPresent()-如果指定的键已经映射到一个值,则计算该值
  • Java HashMap merge()-执行与compute()相同的任务