我有一个 Java bean,它有一个带有 getter 的集合属性,并且还为集合提供了添加方法。
因此,当使用该add
方法修改集合时,我必须触发一个PropertyChangeEvent
. APropertyChangeEvent
有一个旧值和一个新值。
您如何处理旧值?
为了方便起见,我将String
在这里使用 s 的集合。例如
public class MyBean {
private PropertyChangeSupport pcs = new PropertyChangeSupport(this);
private Set<String> names = new HashSet();
// Delegate methods to add/remove PropertyChangeListeners are omitted here
/**
* The collection property
*/
public Collection<String> getNames() {
return Collections.unmodifiableCollection(names);
}
public void addName(String name){
if(names.add(name)){
Collection<String> oldValue = ????; // How do you get the old value
Collection<String> newValue = Collections.unmodifiableCollection(names);
pcs.firePropertyChange("names", oldValue, newValue);
}
}
}
获取旧值的一种方法可能是在添加之前创建一个副本
public void addName(String name) {
Collection<String> oldValue = new HashSet<>(names);
if (names.add(name)) {
Collection<String> newValue = Collections.unmodifiableCollection(names);
pcs.firePropertyChange("names", oldValue, newValue);
}
}
但在很多情况下,旧值可能会被白白复制。
所以另一个想法是不使用 add 方法,而是使用contains
before
public void addName(String name) {
if (names.contains(name)) {
return;
}
Collection<String> oldValue = new HashSet<>(names);
names.add(name);
Collection<String> newValue = Collections.unmodifiableCollection(names);
pcs.firePropertyChange("names", oldValue, newValue);
}
这适用于Set
. 但是当names
集合是 anArrayList
时它将不起作用,因为 anArrayList
可以包含多个相等对象的实例。socontains
会返回 true,但 anadd
也会返回true
。
在多线程环境中,首先通过包含检查然后添加也可能是一个问题,因为同时另一个线程可能已经添加了相同的对象。但我不想在这里介绍这种复杂性。我只想为单线程环境找到一个好的设计,通常是在 UI 中使用此类 bean 时(Event-Dispatch-Thread)。
在这种情况下,您如何处理旧值?