Java中的 HashTable compute() 方法及示例
Hashtable 类的compute(Key, BiFunction)方法允许计算指定键及其当前映射值的映射(如果没有找到当前映射,则为 null)。
- 如果在 Hashtable 的 compute() 中传递的重新映射函数返回 null 作为返回值,则映射将从 Hashtable 中删除(或者如果最初不存在,则仍然不存在)。
- 如果重新映射函数抛出异常,则重新抛出异常,并且当前映射保持不变。
- 在计算过程中,不允许使用此方法修改此映射。
- compute() 方法可用于更新 Hashtable 中的现有值。
例如,此映射附加映射的字符串值:Hashtable.compute(key, (k, v) -> v.append("strValue"))
- 如果重映射函数在计算期间修改了此映射,则此方法将抛出 ConcurrentModificationException。
句法:
public V
compute(K key,
BiFunction super K, ? super V, ? extends V> remappingFunction)
参数:此方法接受两个参数:
- key :与值关联的键。
- remappingFunction : 对值进行操作的函数。
返回:此方法返回与指定键关联的新值,如果没有则返回 null 。
异常:此方法抛出:
- ConcurrentModificationException :如果检测到重映射函数修改了此映射。
下面的程序说明了 compute(Key, BiFunction) 方法:
方案一:
// Java program to demonstrate
// compute(Key, BiFunction) method.
import java.util.*;
public class GFG {
// Main method
public static void main(String[] args)
{
// create a table and add some values
Map 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());
// remap the values of hashTable
// using compute method
table.compute("Pen", (key, val)
-> val + 15);
table.compute("Clothes", (key, val)
-> val - 120);
// print new mapping
System.out.println("new hashTable: " + table);
}
}
输出:
hashTable: {Book=500, Mobile=5000, Pen=10, Clothes=400}
new hashTable: {Book=500, Mobile=5000, Pen=25, Clothes=280}
输出:
hashTable: {Book=500, Mobile=5000, Pen=10, Clothes=400}
new hashTable: {Book=500, Mobile=5000, Pen=25, Clothes=280}
方案二:
// Java program to demonstrate
// compute(Key, BiFunction) method.
import java.util.*;
public class GFG {
// Main method
public static void main(String[] args)
{
// create a table and add some values
Map table = new Hashtable<>();
table.put(1, "100RS");
table.put(2, "500RS");
table.put(3, "1000RS");
// print map details
System.out.println("hashTable: "
+ table.toString());
// remap the values of hashTable
// using compute method
table.compute(3, (key, val)
-> val.substring(0, 4) + "00RS");
table.compute(2, (key, val)
-> val.substring(0, 2) + "$");
// print new mapping
System.out.println("new hashTable: " + table);
}
}
输出:
hashTable: {3=1000RS, 2=500RS, 1=100RS}
new hashTable: {3=100000RS, 2=50$, 1=100RS}
参考资料:https: Java Java )