Java Hashtable computeIfAbsent()方法及示例
Hashtable类的 computeIfAbsent(Key, Function) 方法允许你计算指定键的映射值,如果键尚未与一个值相关联(或被映射为空)。
- 如果这个方法的映射函数返回null,那么就不记录映射。
- 如果映射函数抛出一个异常,那么这个异常会被重新抛出,并且没有映射被记录。
- 在计算过程中,不允许使用此方法修改此映射。
- 如果重映射函数在计算过程中修改了这个地图,这个方法将抛出一个ConcurrentModificationException。
语法
public V
computeIfAbsent(K key,
Function<? super K, ? extends V> remappingFunction)
参数: 该方法接受两个参数。
- key :将与该值关联的键。
- remappingFunction :对值进行操作的函数。
返回: 该方法返回 与指定键相关的当前(现有的或计算的)值,如果映射返回空值,则返回空值
异常: 这个方法会抛出。
- ConcurrentModificationException :如果检测到重映射函数修改了这个映射。
下面的程序说明了 computeIfAbsent(Key, Function) 方法。
程序1 :
// Java program to demonstrate
// computeIfAbsent(Key, Function) method.
import java.util.*;
public class GFG {
// Main method
public static void main(String[] args)
{
// create a table and add some values
Map<String, Integer> table = new Hashtable<>();
table.put("Pen", 10);
table.put("Book", 500);
table.put("Clothes", 400);
table.put("Mobile", 5000);
// print map details
System.out.println("hashTable: "
+ table.toString());
// provide value for new key which is absent
// using computeIfAbsent method
table.computeIfAbsent("newPen", k -> 600);
table.computeIfAbsent("newBook", k -> 800);
// print new mapping
System.out.println("new hashTable: "
+ table);
}
}
输出。
hashTable: {Book=500, Mobile=5000, Pen=10, Clothes=400}
new hashTable: {newPen=600, Book=500, newBook=800, Mobile=5000, Pen=10, Clothes=400}
程序2
// Java program to demonstrate
// computeIfAbsent(Key, Function) method.
import java.util.*;
public class GFG {
// Main method
public static void main(String[] args)
{
// create a table and add some values
Map<Integer, String> table = new Hashtable<>();
table.put(1, "100RS");
table.put(2, "500RS");
table.put(3, "1000RS");
// print map details
System.out.println("hashTable: "
+ table.toString());
// provide value for new key which is absent
// using computeIfAbsent method
table.computeIfAbsent(4, k -> "600RS");
// this will not effect anything
// because key 1 is present
table.computeIfAbsent(1, k -> "800RS");
// print new mapping
System.out.println("new hashTable: "
+ table);
}
}
输出。
hashTable: {3=1000RS, 2=500RS, 1=100RS}
new hashTable: {4=600RS, 3=1000RS, 2=500RS, 1=100RS}
参考文献: https://docs.oracle.com/javase/10/docs/api/java/util/Hashtable.html#computeIfAbsent(K, java.util.function.Function)