我将文件发送到我创建文件的本地服务器。当用户一个接一个地执行多个操作时,我的问题出现了,如果其中一个请求在5分钟内没有收到反馈文件,我需要显示错误消息。
我该如何处理所有这些要求?我使用newSingleThreadScheduledExecutor
检查反馈文件是否每分钟都在那里,但我不知道如何处理多个反馈文件并保持倒计时5分钟的每个请求。
我的尝试:
ListeningExecutorService executor = MoreExecutors.listeningDecorator(Executors.newFixedThreadPool(listPrinter.size()));
for(int i=0;i<list.size();i++){
try {
final File retrievedFile = new File("/home/"+list.get(i)+".csv");
ListenableFuture<File> future = executor.submit(new Callable<File>() {
public File call() {
// Actually send the file to your local server
// and retrieve a file back
if(retrievedFile.exists())
{
new Notification("file exits").show(Page.getCurrent());
}
else{
new Notification("file no exits").show(Page.getCurrent());
}
return retrievedFile;
}
});
future.get(5, TimeUnit.MINUTES);
} catch (InterruptedException ex) {
Exceptions.printStackTrace(ex);
} catch (ExecutionException ex) {
Exceptions.printStackTrace(ex);
} catch (TimeoutException ex) {
Exceptions.printStackTrace(ex);
new Notification("Time out").show(Page.getCurrent());
}
}
但它只是在开始时被执行而且它就是它但是当添加文件时没有任何事情发生。
是否可以使用watchService
执行此操作?它对我来说效果很好,但我不知道5分钟的情况
答案 0 :(得分:2)
看一下Future界面:
http://docs.oracle.com/javase/7/docs/api/java/util/concurrent/Future.html
应该完全适合您的问题。
当你运行一个线程时,结果可能是一个Future,它是异步任务的结果,你可以在启动时为每个异步任务创建一个Future。
Future<File> sendReceiveFile(File inputFile) {
final Future<File> future = new YourFuture<File>(...);
new Thread() {
@Override
public void run() {
File outputFile = null;
try {
outputFile = SendFileToServer(inputFile);
} catch (final Exception e) {
// do something
} finally {
future.setValue(fileOutput);
}
}
}.start();
return future;
}
在你的主要:
Future<File> future = sendReceiveFile(myFile);
File outputFile = null;
try {
outputFile = future.get(1, TimeUnit.MINUTE);
} catch(TimeOutException e) {
// do something
}
答案 1 :(得分:0)
您可以手动执行此操作,但使用Guava ListenableFuture会更好:
// Here we create a fixed thread pool with 10 threads and an inifinite-capacity queue
ListeningExecutorService executor = MoreExecutors.listeningDecorator(Executors.newFixedThreadPool(10));
final File fileToSend = ...; //
ListenableFuture<File> future = executor.submit(new Callable<File>() {
public File call() {
// Actually send the file to your local server
// and retrieve a file back
File retrievedFile = YourLocalServer.sendAndRetrieve(fileToSend);
return retrievedFile;
}
});
Futures.addCallback(future, new FutureCallback<File>() {
public void onSuccess(File retrievedFile) {
// Handle the successfully retrieved file when it returns
}
public void onFailure(Throwable thrown) {
// Handle the error
}
});
通过异步发送文件,您可以在任何给定时间发送和检索许多文件。然后,当服务器响应时(使用检索到的文件或错误),您可以在响应时处理响应(检索到的文件或异常),而无需等待它。这意味着当您的本地服务器提供响应时,onSuccess()
或onFailure()
方法将自动执行。
答案 2 :(得分:0)
我使用Timer
解决了这个问题,该5
每隔db
分钟执行一次,获取过去5分钟内发生的所有{{1}}次交易,并且没有得到任何响应并显示我的错误代码。它的效果非常好。谢谢大家的帮助