當前位置: 首頁>>代碼示例 >>用法及示例精選 >>正文


Java HashMap compute()用法及代碼示例


Java HashMap compute() 方法計算一個新值並將其與哈希圖中的指定鍵相關聯。

用法:

hashmap.compute(K key, BiFunction remappingFunction)

這裏,hashmapHashMap 類的對象。

參數:

compute() 方法采用 2 個參數:

  • key- 與計算值關聯的鍵
  • remappingFunction- 計算指定的新值的函數鑰匙

注意: 這remappingFunction可以接受兩個參數。因此,視為BiFunction.

返回:

  • 返回新價值key
  • 如果沒有與 key 關聯的值,則返回 null

注意: 如果remappingFunction結果null,然後是指定的映射鑰匙已移除。

示例:HashMap compute() 插入新值

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);

    // recompute the value of Shoes with 10% discount
    int newPrice = prices.compute("Shoes", (key, value) -> value - value * 10/100);
    System.out.println("Discounted Price of Shoes: " + newPrice);

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

輸出

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

在上麵的示例中,我們創建了一個名為 prices 的 hashmap。注意表達式,

prices.compute("Shoes", (key, value) -> value - value * 10/100)

這裏,

  • (鍵,值)-> 值-值 * 10/100- 這是一個 lambda 表達式。它降低了舊值Shoes經過10%並返回它。要了解有關 lambda 表達式的更多信息,請訪問Java Lambda 表達式.
  • prices.compute()- 將 lambda 表達式返回的新值與映射相關聯Shoes.

我們已經使用 lambda 表達式作為重新映射函數,它可以獲取兩個參數。

注意:根據Java的官方文檔,HashMap merge方法比較簡單compute()方法。

相關用法


注:本文由純淨天空篩選整理自 Java HashMap compute()。非經特殊聲明,原始代碼版權歸原作者所有,本譯文未經允許或授權,請勿轉載或複製。