シリアルイベントが発生するのを待つ際にタイムアウトが発生する未来を計算しています:
Future<Response> future = executor.submit(new CommunicationTask(this, request));
response = new Response("timeout");
try {
response = future.get(timeoutMilliseconds, TimeUnit.MILLISECONDS);
} catch (InterruptedException | TimeoutException e) {
future.cancel(true);
log.info("Execution time out." + e);
} catch (ExecutionException e) {
future.cancel(true);
log.error("Encountered problem communicating with device: " + e);
}
このCommunicationTask
クラスはObserver
、シリアル ポートからの変更をリッスンするインターフェイスを実装しています。
問題は、シリアル ポートからの読み取りが比較的遅く、シリアル イベントが発生している場合でも時間がなくなり、 aTimeoutException
がスローされることです。シリアル イベントが発生しているときに、未来のタイムアウト クロックを停止するにはどうすればよいですか?
で試してみましたAtomicReference
が、何も変わりませんでした:
public class CommunicationTask implements Callable<Response>, Observer {
private AtomicReference atomicResponse = new AtomicReference(new Response("timeout"));
private CountDownLatch latch = new CountDownLatch(1);
private SerialPort port;
CommunicationTask(SerialCommunicator communicator, Request request) {
this.communicator = communicator;
this.message = request.serialize();
this.port = communicator.getPort();
}
@Override
public Response call() throws Exception {
return query(message);
}
public Response query(String message) {
communicator.getListener().addObserver(this);
message = message + "\r\n";
try {
port.writeString(message);
} catch (Exception e) {
log.warn("Could not write to port: " + e);
communicator.disconnect();
}
try {
latch.await();
} catch (InterruptedException e) {
log.info("Execution time out.");
}
communicator.getListener().deleteObserver(this);
return (Response)atomicResponse.get();
}
@Override
public void update(Observable o, Object arg) {
atomicResponse.set((Response)arg);
latch.countDown();
}
}
この問題を解決するにはどうすればよいですか?
編集:
OK、1つのエラーがありました。atomicResponse
関数で を設定する前に、ラッチをカウントダウンしていましたupdate
。今はうまくいっているように見えますが、このアプローチが正しい方法であるかどうかという疑問はまだありますか?