假设我们在Java中有一个HashMap<String, Integer>。
我如何更新(增量)字符串键的整数值为我找到的字符串的每个存在?
人们可以删除并重新输入配对,但开销将是一个问题。 另一种方法是只放一双新的,旧的就会被替换掉。
在后一种情况下,如果hashcode与我试图插入的新键发生冲突,会发生什么?哈希表的正确行为是为它分配一个不同的位置,或者在当前桶中对它进行列表。
假设我们在Java中有一个HashMap<String, Integer>。
我如何更新(增量)字符串键的整数值为我找到的字符串的每个存在?
人们可以删除并重新输入配对,但开销将是一个问题。 另一种方法是只放一双新的,旧的就会被替换掉。
在后一种情况下,如果hashcode与我试图插入的新键发生冲突,会发生什么?哈希表的正确行为是为它分配一个不同的位置,或者在当前桶中对它进行列表。
当前回答
散列是否存在(以0为值)或者它是否在第一个增量上“放置”到映射中?如果它是“put”在第一个增量上,代码应该是这样的:
if (hashmap.containsKey(key)) {
hashmap.put(key, hashmap.get(key)+1);
} else {
hashmap.put(key,1);
}
其他回答
Try:
HashMap hm=new HashMap<String ,Double >();
注意:
String->give the new value; //THIS IS THE KEY
else
Double->pass new value; //THIS IS THE VALUE
您可以更改hashmap中的键或值,但不能同时更改两者。
没有NullPointerException的更干净的解决方案是:
map.replace(key, map.get(key) + 1);
一句话解决方案:
map.put(key, map.containsKey(key) ? map.get(key) + 1 : 1);
可能有点晚了,但这是我的意见。
如果你使用的是Java 8,那么你可以使用computeIfPresent方法。如果指定键的值存在且非空,则在给定键及其当前映射值的情况下,它将尝试计算一个新的映射。
final Map<String,Integer> map1 = new HashMap<>();
map1.put("A",0);
map1.put("B",0);
map1.computeIfPresent("B",(k,v)->v+1); //[A=0, B=1]
我们还可以使用另一个方法putIfAbsent来放置一个键。如果指定的键还没有与某个值关联(或映射为null),则该方法将其与给定值关联并返回null,否则返回当前值。
如果映射是跨线程共享的,那么我们可以使用ConcurrentHashMap和AtomicInteger。医生说:
AtomicInteger是一个int值,可以被原子地更新。一个 AtomicInteger用于原子递增等应用程序 计数器,不能用作Integer的替换。然而, 这个类扩展了Number以允许工具和工具的统一访问 处理基于数值的类的实用程序。
我们可以如下所示使用它们:
final Map<String,AtomicInteger> map2 = new ConcurrentHashMap<>();
map2.putIfAbsent("A",new AtomicInteger(0));
map2.putIfAbsent("B",new AtomicInteger(0)); //[A=0, B=0]
map2.get("B").incrementAndGet(); //[A=0, B=1]
需要注意的一点是,我们调用get来获取键B的值,然后对其值(当然是AtomicInteger)调用incrementAndGet()。我们可以通过putIfAbsent方法来优化它,如果键已经存在,则返回键的值:
map2.putIfAbsent("B",new AtomicInteger(0)).incrementAndGet();//[A=0, B=2]
另一方面,如果我们计划使用AtomicLong,那么根据高争用的文档,LongAdder的预期吞吐量将显著提高,但代价是更高的空间消耗。也检查这个问题。
使用Java8内置函数“computeIfPresent”
例子:
public class ExampleToUpdateMapValue {
public static void main(String[] args) {
Map<String,String> bookAuthors = new TreeMap<>();
bookAuthors.put("Genesis","Moses");
bookAuthors.put("Joshua","Joshua");
bookAuthors.put("Judges","Samuel");
System.out.println("---------------------Before----------------------");
bookAuthors.entrySet().stream().forEach(System.out::println);
// To update the existing value using Java 8
bookAuthors.computeIfPresent("Judges", (k,v) -> v = "Samuel/Nathan/Gad");
System.out.println("---------------------After----------------------");
bookAuthors.entrySet().stream().forEach(System.out::println);
}
}