How to use ExecutorService to poll until a result arrives

前端 未结 2 1248
情话喂你
情话喂你 2021-02-04 12:31

I have a scenario where I have to poll a remote server checking if a task has completed. Once it has, I make a different call to retrieve the result.

I originally figure

2条回答
  •  北恋
    北恋 (楼主)
    2021-02-04 12:37

    it seems to me you are more worried by some stylistic problems than any others. in java 8, CompletableFuture has 2 roles: one is the traditional future, which gives an asynchronous source for task execution and status query; the other is what we usually call a promise. a promise, if you don't know yet, can be considered a builder of future and its completion source. so in this case, intuitively a promise is required, which is the exact case you are using here. the examples you are worrying about is something that introduces you the first usage, but not the promise way.

    accepting this, it should be easier for you to start dealing with your actual problem. i think the promise is supposed to have 2 roles, one is to notify your task completion of polling, and the other is to cancel your scheduled task on completion. here should be the final solution:

    public CompletableFuture pollTask(int jobId) {
        CompletableFuture fut = new CompletableFuture<>();
        ScheduledFuture sfuture = executor.scheduleWithFixedDelay(() -> _poll(jobId, fut), 0, 10, TimeUnit.SECONDS);
        fut.thenAccept(ignore -> sfuture.cancel(false));
        return fut;
    }
    
    private void _poll(int jobId, CompletableFuture fut) {
        // whatever polls
        if (isDone) {
            fut.complete(yourResult);
        }
    }
    
        

    提交回复
    热议问题