Java HashMap的computeIfAbsent()方法计算一个新值,如果该键没有与哈希映射中的任何值相关联,则将其与指定的键相关联。
computeIfAbsent()方法的语法为:
hashmap.computeIfAbsent(K key, Function remappingFunction)
computeIfAbsent()方法有两个参数:
key - 与计算值关联的键
remappingFunction - 为指定键计算新值的函数
注意:remapping function不能接受两个参数。
返回与指定键关联的新值或旧值
为指定键计算新值的函数
注意:如果remappingFunction结果为null,则将删除指定键的映射。
import java.util.HashMap; class Main { public static void main(String[] args) { // 创建 HashMap HashMap<String, Integer> prices = new HashMap<>(); // 向HashMap插入条目 prices.put("Shoes", 200); prices.put("Bag", 300); prices.put("Pant", 150); System.out.println("HashMap: " + prices); // 计算衬衫的价值 int shirtPrice = prices.computeIfAbsent("Shirt", key -> 280); System.out.println("衬衫的价格: " + shirtPrice); // 打印更新HashMap System.out.println("更新后的 HashMap: " + prices); } }
输出结果
HashMap: {Pant=150, Bag=300, Shoes=200} 衬衫的价格: 280 更新后的 HashMap: {Pant=150, Shirt=280, Bag=300, Shoes=200}
在上面的示例中,我们创建了一个名为prices的哈希映射。注意表达式
prices.computeIfAbsent("Shirt", key -> 280)
这里,
key -> 280 - 是lambda表达式。它返回值280。要了解有关lambda表达式的更多信息,请访问Java Lambda 表达式。
prices.computeIfAbsent() - 将lambda表达式返回的新值与Shirt的映射相关联。这是可能的,因为Shirt还没有映射到hashmap中的任何值。
import java.util.HashMap; class Main { public static void main(String[] args) { // 创建 HashMap HashMap<String, Integer> prices = new HashMap<>(); // 向HashMap插入条目 prices.put("Shoes", 180); prices.put("Bag", 300); prices.put("Pant", 150); System.out.println("HashMap: " + prices); //Shoes 的映射已经存在 //不计算Shoes的新值 int shoePrice = prices.computeIfAbsent("Shoes", (key) -> 280); System.out.println("鞋子价格: " + shoePrice); //打印更新的HashMap System.out.println("更新后的 HashMap: " + prices); } }
输出结果
HashMap: {Pant=150, Bag=300, Shoes=180} 鞋子价格: 180 更新后的 HashMap: {Pant=150, Bag=300, Shoes=180}
在以上示例中,Shoes的映射已经存在于哈希映射中。 因此,computeIfAbsent()方法不会计算Shoes的新值。
推荐阅读
HashMap compute() - 计算指定键的值
HashMap computeIfPresent() - 如果指定的键已经映射到一个值,则计算该值
Java HashMap merge() - 与compute()执行相同的任务