我正在使用Java8使用java.util.concurrent的Callable接口调用四个API。我想进行多个rest调用,合并结果并返回JSON。我得到了预期的结果,但是需要知道它们是否是更好的方法。 下面是我的代码。我想知道哪个部分是并行执行的,哪个是顺序执行的?
Callable<List<Map<String, Object>>> callable1 = new Callable<List<Map<String, Object>>>()
{
@Override
public List<Map<String, Object>> call() throws Exception
{
return aClient.get();
}
};
Callable<List<Map<String, Object>>> callable2 = new Callable<List<Map<String, Object>>>()
{
@Override
public List<Map<String, Object>> call() throws Exception
{
return bClient.get();
}
};
Callable<List<Map<String, Object>>> callable3 = new Callable<List<Map<String, Object>>>()
{
@Override
public List<Map<String, Object>> call() throws Exception
{
return cClient.get();
}
};
Callable<List<Map<String, Object>>> callable4 = new Callable<List<Map<String, Object>>>()
{
@Override
public List<Map<String, Object>> call() throws Exception
{
return dClient.get()
}
};
ExecutorService executor = Executors.newFixedThreadPool(6);
Future<List<Map<String, Object>>> future1 = executor.submit(callable1);
Future<List<Map<String, Object>>> future2 = executor.submit(callable2);
Future<List<Map<String, Object>>> future3 = executor.submit(callable3);
Future<List<Map<String, Object>>> future4 = executor.submit(callable4);
Map<String, Map<String, Object>> lists = new HashMap<>();
try {
putResult(future1, lists);
putResult(future2, lists);
putResult(future3, lists);
putResult(future4, lists);
} catch(InterruptedException e) {
e.printStackTrace();
} catch(ExecutionException e) {
e.printStackTrace();
}
return metrics;
}
private void putResult(Future<List<Map<String, Object>>> future, Map<String, Map<String, Object>> ans) throws InterruptedException, ExecutionException {
if(future.get() != null && future.get().size() > 0) {
for (Map<String, Object> maps : future.get()) {
if (maps != null && maps.containsKey("abcd")) {
String abcd = maps.get("abcd").toString();
if(!ans.containsKey(abcd))
ans.put(maps.get("abcd").toString(), maps);
else {
for (Map.Entry<String, Object> entry: maps.entrySet()) {
ans.get(abcd).put(entry.getKey(), entry.getValue());
}
}
}
}
}
}
{
{
"abcd": 1,
"cde": 2
},
{
"abcd": 2,
"cde": 3
}
}
已更改为
{
"1" : {
"abcd": 1,
"cde": 2
},
"2":{
"abcd": 2,
"cde": 3
}
}
解析函数中的。拜托,用RxJava做会更好吗?还告诉我如何在CompletableFutures中实现以上代码?
答案 0 :(得分:0)
如果您使用的是Java 8+,则可以使用lambda大大缩短代码。
此:
Callable<List<Map<String, Object>>> callable3 = new Callable<List<Map<String, Object>>>()
{
@Override
public List<Map<String, Object>> call() throws Exception
{
return cClient.get();
}
};
Future<List<Map<String, Object>>> future3 = executor.submit(callable3);
可以缩写为:
Future<List<Map<String, Object>>> future3 = executor.submit(cClient::get);
我想知道哪个部分是并行执行的,哪个是顺序执行的?
可调用对象的准备工作是顺序的。
每个执行都由执行程序并行执行。
尽管您没有向我们显示解析代码,但是该解析代码再次是顺序的,因此我不确定。您也可以使用future3.thenAccept(/*call to parsing method*/)
或类似的函数对其进行并行化,以便执行API调用的线程将在响应完成后解析该响应。与工作线程仅返回结果然后由单个线程进行解析的实现相比,它应该会稍微提高性能。