我有以下Groovy脚本:
mymap = ['key': 'value']
println mymap
v = mymap.get('notexistkey', 'default')
println v
println mymap
当我运行它时,我得到以下控制台输出:
[key:value]
default
[key:value, notexistkey:default]
我很惊讶在调用mymap.get('notexistkey', 'default')
后第二个参数是在给定密钥不存在时返回的默认值时,键notexistkey
被添加到我称之为方法的地图上。为什么?这是预期的行为吗?我怎样才能防止这种突变?
答案 0 :(得分:8)
使用Java Map.getOrDefault(key, value)
代替:
mymap = ['key': 'value']
println mymap
v = mymap.getOrDefault('notexistingkey', 'default')
println v
println mymap
输出:
[key:value]
default
[key:value]
Groovy SDK通过DefaultGroovyMethods.get(map, key, default)
添加了Map.get(key, default)
,如果你看看Javadoc说你会理解这种行为是预期的:
在Map中查找给定键的项并返回值 - 除非给定键没有条目,在这种情况下将默认值添加到地图并返回该值。
这就是这种方法的实现:
/**
* Looks up an item in a Map for the given key and returns the value - unless
* there is no entry for the given key in which case add the default value
* to the map and return that.
* <pre class="groovyTestCase">def map=[:]
* map.get("a", []) << 5
* assert map == [a:[5]]</pre>
*
* @param map a Map
* @param key the key to lookup the value of
* @param defaultValue the value to return and add to the map for this key if
* there is no entry for the given key
* @return the value of the given key or the default value, added to the map if the
* key did not exist
* @since 1.0
*/
public static <K, V> V get(Map<K, V> map, K key, V defaultValue) {
if (!map.containsKey(key)) {
map.put(key, defaultValue);
}
return map.get(key);
}
它非常古老的概念(自Groovy 1.0以来)。但是我建议不要使用它 - 这个.get(key, default)
操作既不是原子操作,也不是同步操作。当您在专为并发访问而设计的ConcurrentMap
上使用时会出现问题 - 此方法违反了合同,因为containsKey
,put
和最终get
之间没有同步呼叫。