/* * Written by Doug Lea with assistance from members of JCP JSR-166 * Expert Group and released to the public domain. Use, modify, and * redistribute this code in any way without acknowledgement. */ package java.util.concurrent; import java.util.*; /** * A {@link java.util.Set} that uses {@link * java.util.concurrent.CopyOnWriteArrayList} for all of its * operations. Thus, it shares the same basic properties: * * *

Sample Usage. The following code sketch uses a * copy-on-write set to maintain a set of Handler objects that * perform some action upon state updates. * *

 * class Handler { void handle(); ... }
 *
 * class X {
 *    private final CopyOnWriteArraySet<Handler> handlers = new CopyOnWriteArraySet<Handler>();
 *    public void addHandler(Handler h) { handlers.add(h); }
 *
 *    private long internalState;
 *    private synchronized void changeState() { internalState = ...; }
 *
 *    public void update() {
 *       changeState();
 *       for (Handler handler : handlers)
 *          handler.handle();
 *    }
 * }
 * 
* *

This class is a member of the * * Java Collections Framework. * * @see CopyOnWriteArrayList * @since 1.5 * @author Doug Lea * @param the type of elements held in this collection */ public class CopyOnWriteArraySet extends AbstractSet implements java.io.Serializable { private static final long serialVersionUID = 5457747651344034263L; private final CopyOnWriteArrayList al; /** * Creates an empty set. */ public CopyOnWriteArraySet() { al = new CopyOnWriteArrayList(); } /** * Creates a set containing all of the elements of the specified * collection. * * @param c the collection of elements to initially contain * @throws NullPointerException if the specified collection is null */ 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 boolean remove(Object o) { return al.remove(o); } public boolean add(E e) { return al.addIfAbsent(e); } 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); } /** * Returns an iterator over the elements contained in this set * in the order in which these elements were added. */ public Iterator iterator() { return al.iterator(); } }