我有Java Runnable,我正在实现run()
方法。在该run方法中与服务器建立了一些连接,当它失败时,我对线程执行不再感兴趣了,我想退出它。我做这样的事情:
class MyRunnable implements Runnable {
@Override
public void run() {
// connect to server here
if (it failed) {
return;
}
// do something else
}
}
现在我使用我自己的线程工厂将此runnable提交到Executors.cachedThreadPool()
,这基本上没什么新东西。
我可以安全地从那个可运行的地方返回吗?
我查看了jvisualvm,我发现线程池中有一个线程+有线程在服务器逻辑的连接中执行,当我返回时,我看到这些连接线程被停止,它们确实停留在列表但它们是白色的......
答案 0 :(得分:3)
使用return
方法中的void
非常好。它只是从该方法返回,在这种情况下将完成线程执行。
答案 1 :(得分:2)
您没有向执行者提交线程,您正在向其提交Runnables。在Runnable中调用return不会导致执行它的线程终止。编写执行程序,以便它可以以Runnables的形式运行多个任务,当Runnable完成执行(无论是早期返回还是其他任何)线程继续执行时,并从其排队提交的任务中获得更多工作。
这是ThreadPoolExecutor#runWorker方法中的代码。显示task.run()
的行是工作线程执行任务的位置,当您的任务返回时,工作人员的执行从那里开始。
final void runWorker(Worker w) {
Thread wt = Thread.currentThread();
Runnable task = w.firstTask;
w.firstTask = null;
w.unlock(); // allow interrupts
boolean completedAbruptly = true;
try {
while (task != null || (task = getTask()) != null) {
w.lock();
// If pool is stopping, ensure thread is interrupted;
// if not, ensure thread is not interrupted. This
// requires a recheck in second case to deal with
// shutdownNow race while clearing interrupt
if ((runStateAtLeast(ctl.get(), STOP) ||
(Thread.interrupted() &&
runStateAtLeast(ctl.get(), STOP))) &&
!wt.isInterrupted())
wt.interrupt();
try {
beforeExecute(wt, task);
Throwable thrown = null;
try {
task.run();
} catch (RuntimeException x) {
thrown = x; throw x;
} catch (Error x) {
thrown = x; throw x;
} catch (Throwable x) {
thrown = x; throw new Error(x);
} finally {
afterExecute(task, thrown);
}
} finally {
task = null;
w.completedTasks++;
w.unlock();
}
}
completedAbruptly = false;
} finally {
processWorkerExit(w, completedAbruptly);
}
}