非同期メソッドの実行時間に関する情報にアクセスする必要があります。だから、私はCompletableFuture機能を拡張しようとしています。デコレータパターンを使用した私の実装は次のとおりです。
import java.util.concurrent.*;
import java.util.function.*;
import static lombok.AccessLevel.PRIVATE;
import lombok.AllArgsConstructor;
import lombok.experimental.Delegate;
@AllArgsConstructor(access = PRIVATE)
public class ContinuousCompletableFuture<T> extends CompletableFuture<T> {
@Delegate
private final CompletableFuture<T> baseFuture;
private final long creationTime;
public static <U> ContinuousCompletableFuture<U> supplyAsync(Supplier<U> supplier) {
return new ContinuousCompletableFuture<>(CompletableFuture.supplyAsync(supplier));
}
private ContinuousCompletableFuture(CompletableFuture<T> baseFuture) {
this.baseFuture = baseFuture;
this.creationTime = System.nanoTime();
}
public Long getElapsedTime() {
return (System.nanoTime() - creationTime) / 1000_000L;
}
public ContinuousCompletableFuture<Void> thenAcceptAsync(BiConsumer<? super T, Long> action) {
CompletionStage<Long> elapsedTime = CompletableFuture.completedFuture(getElapsedTime());
return new ContinuousCompletableFuture<>(baseFuture.thenAcceptBothAsync(elapsedTime, action), creationTime);
}
}
shouldReturnElapsedTime
抽出されたContinuousCompletableFuture
変数を使用した最初のテストは正常に機能しますが、他のテストはshouldOperateWithOwnExecutionTime
失敗します。その間、私は将来のコードでもContinuousCompletableFuture
変数を抽出しないでそれを見ることを好みます。
import java.util.concurrent.atomic.AtomicLong;
import lombok.extern.slf4j.Slf4j;
import org.junit.*;
import static org.junit.Assert.*;
@Slf4j
public class ContinuousCompletableFutureTest {
private static final int DELAY = 1000;
AtomicLong flag = new AtomicLong();
ContinuousCompletableFuture<String> future;
@Before
public void before() {
future = ContinuousCompletableFuture.supplyAsync(() -> {
try {
Thread.sleep(DELAY);
} catch (InterruptedException ex) {
log.error("Error during ContinuousCompletableFuture execution", ex);
}
return "successfully completed";
});
}
@Test
public void shouldReturnElapsedTime() {
future.thenAcceptAsync(s -> {
long t = future.getElapsedTime();
log.info("Elapsed {} ms to receive message \"{}\"", t, s);
flag.set(t);
});
try {
Thread.sleep(2000);
} catch (InterruptedException ex) {
log.error("Error awaiting Test completion", ex);
}
assertTrue("Future completion should be delayed", flag.get() >= 0.75 * DELAY);
}
@Test
public void shouldOperateWithOwnExecutionTime() {
future.thenAcceptAsync((s, t) -> {
log.info("Elapsed {} ms to receive message \"{}\"", t, s);
flag.set(t);
});
try {
Thread.sleep(2000);
} catch (InterruptedException ex) {
log.error("Error awaiting Test completion", ex);
}
assertTrue("Future completion should be delayed", flag.get() >= 0.75 * DELAY);
}
}
私の問題は、間違ったthenAcceptBothAsync
メソッドの使用にあると思います。
助言がありますか?