blob: 3c64ab43183d41fc54c1357d0ebaed909444cde9 [file] [log] [blame]
package com.gemstone.gemfire.internal.util;
import java.io.InterruptedIOException;
import java.util.concurrent.Callable;
/**
* This class serializes execution of concurrent tasks. This is
* useful when we want only one thread to perform an expensive
* operation such that if the operation fails, all other threads
* fail with the same exception without having to perform the
* expensive operation.
*
* @author sbawaskar
*
* @param <T> the type of return value
*/
public class SingletonCallable<T> {
private Object lock = new Object();
private volatile boolean running = false;
private Exception ex = null;
public T runSerially(Callable<T> c) throws Exception {
T retval = null;
synchronized (lock) {
while (running) {
try {
lock.wait();
if (ex != null) {
throw ex;
}
} catch (InterruptedException e) {
Thread.currentThread().interrupt();
throw new InterruptedIOException();
}
}
ex = null;
running = true;
}
Exception exception = null;
try {
retval = c.call();
} catch (Exception e) {
exception = e;
} finally {
synchronized (lock) {
if (exception != null && !ignoreException(exception)) {
ex = exception;
}
running = false;
lock.notifyAll();
}
}
if (exception != null) {
throw exception;
}
return retval;
}
/**
* Override this method for handling exception encountered while
* running the Callable c.
* @return false if we want the waiting threads to fail immediately<br/>
* true if we want the waiting threads to invoke the callable
*
*/
public boolean ignoreException(Exception e) {
return false;
}
}