Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Good way to have a Collection Listener?

Is there a better way to have a listener on a java collection than wrap it in a class implementing the observer pattern ?

like image 406
wj. Avatar asked Dec 21 '09 19:12

wj.


2 Answers

You should check out Glazed Lists

It contains observable List classes, which fire events whenever elements are added, removed, replaced, etc

like image 65
Chi Avatar answered Oct 23 '22 11:10

Chi


You can using the ForwardingSet, ForwardingList, etc., from Guava to decorate a particular instance with the desired behavior.

Here's my own implementation that just uses plain JDK APIs:

// create an abstract class that implements this interface with blank implementations
// that way, annonymous subclasses can observe only the events they care about
public interface CollectionObserver<E> {

    public void beforeAdd(E o);

    public void afterAdd(E o);

    // other events to be observed ...

}

// this method would go in a utility class
public static <E> Collection<E> observedCollection(
    final Collection<E> collection, final CollectionObserver<E> observer) {
        return new Collection<E>() {
            public boolean add(final E o) {
                observer.beforeAdd(o);
                boolean result = collection.add(o);
                observer.afterAdd(o);
                return result;
            }

            // ... generate rest of delegate methods in Eclipse

    };
    }
like image 44
les2 Avatar answered Oct 23 '22 11:10

les2