package java.util.concurrent; import java.util.*; /** * CopyOnWriteArraySets implement a java.util.Set that uses * CopyOnWriteArrayList for all of its operations. * Thus, it shares the same basic properties: * *

* Sample Usage. Probably the main application * of copy-on-write sets are classes that maintain * sets of Handler objects * that must be multicasted to upon an update command. This * is a classic case where you do not want to be holding a synch * lock while sending a message, and where traversals normally * vastly overwhelm additions. *

 * class  Handler { void handle(); ... }
 *
 * class X {
 *    private final CopyOnWriteArraySet handlers = new CopyOnWriteArraySet();
 *    public void addHandler(Handler h) { handlers.add(h); }
 *
 *    private long internalState;
 *    private synchronized void changeState() { internalState = ...; }
 *
 *    public void update() {
 *       changeState();
 *       Iterator it = handlers.iterator();
 *       while (it.hasNext())
 *          ((Handler)(it.next()).handle();
 *    }
 * }
 * 
*

[ Introduction to this package. ] * @see CopyOnWriteArrayList **/ public class CopyOnWriteArraySet extends AbstractSet implements Cloneable, java.io.Serializable { private final CopyOnWriteArrayList al; /** * Constructs an empty set */ public CopyOnWriteArraySet() { al = new CopyOnWriteArrayList(); } /** * Constructs a set containing all of the elements of the specified * Collection. */ public CopyOnWriteArraySet(Collection c) { al = new CopyOnWriteArrayList(); al.addAllAbsent(c); } public int size() { return al.size(); } public boolean isEmpty() { return al.isEmpty(); } public boolean contains(Object o) { return al.contains(o); } public Object[] toArray() { return al.toArray(); } public T[] toArray(T[] a) { return al.toArray(a); } public void clear() { al.clear(); } public Iterator iterator() { return al.iterator(); } public boolean remove(Object o) { return al.remove(o); } public boolean add(E o) { return al.addIfAbsent(o); } public boolean containsAll(Collection c) { return al.containsAll(c); } public boolean addAll(Collection c) { return al.addAllAbsent(c) > 0; } public boolean removeAll(Collection c) { return al.removeAll(c); } public boolean retainAll(Collection c) { return al.retainAll(c); } }