在Guava中,是否有一种向ImmutableList
添加或删除项目的有效方法(当然,在此过程中创建新列表)。
我能想到的最简单的方法是:
private ImmutableList<String> foos = ImmutableList.of();
public void addFoo(final String foo) {
if (this.foos.isEmpty()) {
foos = ImmutableList.of(foo);
} else {
foos = ImmutableList.<String>builder().addAll(foos).add(foo).build();
}
}
public void removeFoo(final String foo) {
final int index = this.foos.indexOf(foo);
if (index > -1) {
final Builder<String> builder = ImmutableList.<String>builder();
if (index > 0) builder.addAll(this.foos.subList(0, index));
final int size = this.foos.size();
if (index < size - 1) builder.addAll(this.foos.subList(index+1, size));
this.foos = builder.build();
}
}
我想避免做的是:
public void removeFoo(final String foo) {
final ArrayList<String> tmpList = Lists.newArrayList(this.foos);
if(tmpList.remove(foo))this.foos=ImmutableList.copyOf(tmpList);
}
但不幸的是,它比我能想到的任何仅用番石榴的方法简单得多。我错过了什么吗?
答案 0 :(得分:15)
您可以通过过滤删除,这不会创建中间ArrayList
或构建器,只会遍历列表一次:
public void removeFoo(final String foo) {
foos = ImmutableList.copyOf(Collections2.filter(foos,
Predicates.not(Predicates.equalTo(foo)));
}
对于添加,我没有看到更好的解决方案。
答案 1 :(得分:7)
ConcurrentModificationException
与并发和同步并不真正相关。同时访问可变List
可能会破坏它和/或抛出异常(准备好所有3种可能性)。你的代码不能以这种方式失败,但是使用多线程它也不起作用:
foos
没有volatile
,则无法保证其他线程会看到您所做的更改。volatile
,也可能会发生某些更改丢失,例如,当两个线程将项添加到foos
时,它们都可以从原始值开始,然后是最后一个获胜(只添加其项目)。你要避免的代码是无可避免的。
ImmutableList.Builder
涵盖了最常见的案例,允许以紧凑的方式处理它们。您可能需要查看针对此类操作进行了优化的persistent collections。但是,你不应该期望例如持久性列表与ArrayList
或ImmutableList
一样快。