>我正在尝试使用执行器接口实现多线程方法,其中我在主类中生成了多个线程
class Main
{
private static final int NTHREADS = 10;
public static void main(String[] args)
{
.........
String str = createThreads(document);
.............
}
public String createThreads(String docString)
{
........
.......
Map<String,String> iTextRecords = new LinkedHashMap<String, String>();
if(!iText.matches(""))
{
String[] tokenizedItext = iText.split("\^");
ExecutorService executor = Executors.newFixedThreadPool(NTHREADS);
for(int index = 0 ;index < tokenizedItext.length;index++)
{
Callable<Map<String,String>> worker = null;
Future<Map<String,String>> map = null;
if(tokenizedItext[index].matches("^[0-9.<>+-= ]+$") || tokenizedItext[index].matches("^\s+$"))
{
iTextRecords.put(tokenizedItext[index],tokenizedItext[index]);
}
else
{
worker = new MultipleDatabaseCallable(tokenizedItext[index],language);
map = executor.submit(worker);
try
{
iTextRecords.putAll(map.get());
}
catch(InterruptedException ex)
{
ex.printStackTrace(System.out);
}
catch(ExecutionException ex)
{
ex.printStackTrace(System.out);
}
}
}
executor.shutdown();
// Wait until all threads are finish
while (!executor.isTerminated())
{
}
}
}
可调用类为
class MultipleDatabaseCallable implements Callable<Map<String,String>>
{
@Override
public Map<String, String> call() throws Exception {
System.out.println("Entering: "+Thread.currentThread().getName());
Map<String,String> map = new HashMap<String,String>();
for(int i =0;i<50000;i++)
{
for(int i1 = 0 ;i1<5000;i1++)
{
for(int i2 =0;i2 <500;i2++)
{
}
}
}
System.out.println("Exiting: "+Thread.currentThread().getName());
return map;
}
}
我得到的输出是
Entering: pool-1-thread-1
Exiting: pool-1-thread-1
Entering: pool-1-thread-2
Exiting: pool-1-thread-2
Entering: pool-1-thread-3
Exiting: pool-1-thread-3
Entering: pool-1-thread-4
Exiting: pool-1-thread-4
Entering: pool-1-thread-5
Exiting: pool-1-thread-5
Entering: pool-1-thread-6
Exiting: pool-1-thread-6
在查看输出时,似乎在调用方法中一次只有一个线程进入,而另一个线程仅在前一个线程存在时才进入。但是,预计多个线程应进入并执行 call() 方法。同样,当我通过使 NTHREADS = 1 来执行相同的程序时。它花费的时间与使用 NTHREADS =10 花费的时间相同
因此,该应用程序似乎与单线程应用程序一样运行良好。请建议我在实现中做错了什么。
谢谢
当你打电话时
map = executor.submit(worker);
在本例中返回的值map
是一个Future
。这意味着它没有值,直到可调用对象返回一个值。现在当你打电话
iTextRecords.putAll(map.get());
发生的情况是当前线程块(在map.get()
内)等待可调用对象返回(在另一个线程中)。
由于您总是等待一个可调用对象完成(每map.get()
),然后再提交一个新的可调用对象(每executor.submit()
),因此您强制执行您观察到的顺序执行。
为了并行执行任务,您必须在首次调用 get 之前启动所有任务。例如,您可以创建一个ArrayList<Future<Map<String,String>>> futures = ...
然后做
futures.add(executor.submit(worker));
提交任务(不需要 map
变量)并创建第二个循环(在for(int i ...)
循环之后):
for(Future<Map<String,String>> f: futures) {
iTextRecords.putAll(f.get);
}
您必须在提交可赎回债券时收集您的期货。只有在完成提交后,才对你的期货调用 get()。