我在代码中使用Java Callable Future。以下是我使用future和callables的主要代码-
public class TimeoutThread {
public static void main(String[] args) throws Exception {
ExecutorService executor = Executors.newFixedThreadPool(5);
Future<String> future = executor.submit(new Task());
try {
System.out.println("Started..");
System.out.println(future.get(3, TimeUnit.SECONDS));
System.out.println("Finished!");
} catch (TimeoutException e) {
System.out.println("Terminated!");
}
executor.shutdownNow();
}
}
以下是我的
Task
类,该类实现Callable接口(interface),我需要根据我们拥有的主机名生成URL,然后使用RestTemplate
调用SERVERS。如果第一个主机名中有任何异常,那么我将为另一个主机名生成URL,然后尝试拨打电话。class Task implements Callable<String> {
private static RestTemplate restTemplate = new RestTemplate();
@Override
public String call() throws Exception {
//.. some code
for(String hostname : hostnames) {
if(hostname == null) {
continue;
}
try {
String url = generateURL(hostname);
response = restTemplate.getForObject(url, String.class);
// make a response and then break
break;
} catch (Exception ex) {
ex.printStackTrace(); // use logger
}
}
}
}
所以我的问题是应该将
RestTemplate
声明为静态全局变量吗?还是在这种情况下不应该是静态的? 最佳答案
不管是static
还是实例,都没有关系。RestTemplate
发出HTTP请求的方法是线程安全的,因此与每个RestTemplate
实例是否有一个Task
实例还是所有Task
实例的共享实例无关(垃圾回收除外)。
就个人而言,我将在RestTemplate
类之外创建Task
,并将其作为参数传递给Task
构造函数。 (尽可能使用控制反转。)
关于java - RestTemplate应该是静态全局声明的吗?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/21145558/