在 Java 中,我经常需要懒惰地获取 ConcurrentMap 的条目,仅在必要时创建。
例如我可能有
ConcurrentMap<String, AtomicReference<Something>> a = new ConcurrentHashMap<>();
ConcurrentMap<String, Something> b = new ConcurrentHashMap<>();
我想创建一个通用函数来完成这项工作,这样我就不会为每种类型重复相当繁琐的双重检查代码。
以下是我所能得到的:
<K, V, C extends V> V ensureEntry(ConcurrentMap<K, V> map, K key, Class<? super C> clazz) throws Exception {
V result = map.get(key);
if (result == null) {
final V value = (V)clazz.newInstance();
result = map.putIfAbsent(key, value);
if (result == null) {
result = value;
}
}
return result;
}
然后我可以像这样使用它:
AtomicReference<Something> ref = ensureElement(a, "key", AtomicReference.class);
Something something = ensureElement(b, "another key", Something.class);
问题是:该函数非常脏,并且仍然有一个不安全的泛型类强制转换((V)
)。一个完全通用和更清洁的可能吗?也许在斯卡拉?
谢谢!