com.yahoo.jdisc.handler.FutureConjunction Maven / Gradle / Ivy
// Copyright 2017 Yahoo Holdings. Licensed under the terms of the Apache 2.0 license. See LICENSE in the project root.
package com.yahoo.jdisc.handler;
import com.google.common.util.concurrent.Futures;
import com.google.common.util.concurrent.JdkFutureAdapters;
import com.google.common.util.concurrent.ListenableFuture;
import java.util.LinkedList;
import java.util.List;
import java.util.concurrent.*;
/**
* This class implements a Future<Boolean> that is conjunction of zero or more other Future<Boolean>s,
* i.e. it evaluates to true if, and only if, all its operands evaluate to true. To use this class,
* simply create an instance of it and add operands to it using the {@link #addOperand(ListenableFuture)} method.
* TODO: consider rewriting usage of FutureConjunction to use CompletableFuture instead.
*
* @author Simon Thoresen
*/
public final class FutureConjunction implements ListenableFuture {
private final List> operands = new LinkedList<>();
/**
* Adds a ListenableFuture<Boolean> to this conjunction. This can be called at any time, even after having called
* {@link #get()} previously.
*
* @param operand The operand to add to this conjunction.
*/
public void addOperand(ListenableFuture operand) {
operands.add(operand);
}
@Override
public void addListener(Runnable listener, Executor executor) {
Futures.allAsList(operands).addListener(listener, executor);
}
@Override
public final boolean cancel(boolean mayInterruptIfRunning) {
boolean ret = true;
for (Future op : operands) {
if (!op.cancel(mayInterruptIfRunning)) {
ret = false;
}
}
return ret;
}
@Override
public final boolean isCancelled() {
for (Future op : operands) {
if (!op.isCancelled()) {
return false;
}
}
return true;
}
@Override
public final boolean isDone() {
for (Future op : operands) {
if (!op.isDone()) {
return false;
}
}
return true;
}
@Override
public final Boolean get() throws InterruptedException, ExecutionException {
Boolean ret = Boolean.TRUE;
for (Future op : operands) {
if (!op.get()) {
ret = Boolean.FALSE;
}
}
return ret;
}
@Override
public final Boolean get(long timeout, TimeUnit unit) throws InterruptedException, ExecutionException,
TimeoutException {
Boolean ret = Boolean.TRUE;
long nanos = unit.toNanos(timeout);
long lastTime = System.nanoTime();
for (Future op : operands) {
if (!op.get(nanos, TimeUnit.NANOSECONDS)) {
ret = Boolean.FALSE;
}
long now = System.nanoTime();
nanos -= now - lastTime;
lastTime = now;
}
return ret;
}
}