compute()
方法的语法为:
hashmap.compute(K key, BiFunction remappingFunction)
在这里, hashmap是HashMap
类的对象。
compute()参数
compute()
方法采用2个参数:
- key-与计算值关联的键
- remappingFunction-为指定键计算新值的函数
注意 : remappingFunction可以接受两个参数。因此,被视为BiFunction
。
compute()返回值
- 返回与键关联的新值
- 如果没有与键关联的
null
则返回null
注意 :如果remappingFunction结果为null
,则将删除指定键的映射。
示例:HashMap compute()插入新值
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);
// 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
在上面的示例中,我们创建了一个名为price的哈希表。注意表达式
prices.compute("Shoes", (key, value) -> value - value * 10/100)
这里,
- (键,值)->值-值* 10/100-它是lambda表达式。它将“ 鞋”的旧值减少10%并返回。要了解有关lambda表达式的更多信息,请访问Java Lambda Expressions。
- price.compute() -将lambda表达式返回的新值关联到Shoes的映射。
我们已将lambda表达式用作重新映射函数 ,该函数可耙取两个参数。
注意 :根据Java的官方文档,HashMap merge()方法比compute()
方法更简单。
推荐读物
- HashMap computeIfAbsent()-如果指定键未映射到任何值,则计算该值
- HashMap computeIfPresent()-如果指定的键已经映射到一个值,则计算该值