我在主GUI程序中使用SWT。在其中,我创建另一个线程来运行一些程序。但是,如果在这些进程中遇到某些错误,我想通过显示一个消息框向用户报告此错误。因为在SWT中,只有一个线程可以执行GUI操作,我让程序运行器抛出异常,因此GUI线程可以处理它们。但是,我遇到了问题,因为我为程序运行器创建了一个新线程(为了不阻止GUI线程,这将不断更新并刷新一些图形),但结果发生的异常被卡住了作为该线程的一部分,它无法创建错误消息框。有关如何处理此事的任何建议吗?
private void goButtonActionPerformed()
{
// create the program runner object
ProgramRunner PR = new ProgramRunner(); // real code passes in data to be used
try{
// check all necessary parameters are entered
boolean paramsOK = PR.checkParams();
if (paramsOK)
{
// all necessary information is available. Start Processing.
Thread t = new Thread() {
public void run()
{
try{
PR.runPrograms();
}
catch (IOException iox)
{
// This does not work to catch & display the exceptions
// which took place in PR.runPrograms(), because this
// thread is not allowed to perform GUI operations.
// However, I don't know how to pass this
// exception / error notification out of this thread.
MessageBox mb = new MessageBox(m_Shell, SWT.ICON_ERROR);
mb.setMessage(iox.getMessage());
mb.open();
}
}
};
t.start();
}
}
catch (IOException iox)
{
// this works to catch & display the exceptions which took place
// in PR.checkParams() because that is not a separate thread
MessageBox mb = new MessageBox(m_Shell, SWT.ICON_ERROR);
mb.setMessage(iox.getMessage());
mb.open();
}
答案 0 :(得分:1)
在Display.getDefault()。asyncExec中包装catch逻辑以在UI线程上显示错误消息:
Thread t = new Thread()
{
public void run()
{
try
{
PR.runProgram();
}
catch ( final IOException iox )
{
Display.getDefault().asyncExec( new Runnable()
{
public void run()
{
MessageBox mb = new MessageBox(m_Shell, SWT.ICON_ERROR);
mb.setMessage(iox.getMessage());
mb.open();
}
});
}
}
});
t.start();
然后可以在UI线程中显示异常。
答案 1 :(得分:0)
您需要安排UI代码在UI线程中运行。您可以使用asyncExec
的{{1}}或syncExec
方法执行此操作。
Display
暂停当前线程,直到运行UI代码。 syncExec
不会暂停线程并尽快运行UI代码。
您可以使用asyncExec
在任何线程中获取当前显示,这样您可以执行以下操作:
Display.getDefault()
我在Display.getDefault().asyncExec(() ->
{
if (m_Shell != null && !m_Shell.isDisposed()) {
MessageBox mb = new MessageBox(m_Shell, SWT.ICON_ERROR);
mb.setMessage(iox.getMessage());
mb.open();
}
});
使用了Java 8 lambda表达式,因为它比传统方法短。
由于此代码是异步运行的,因此最好检查shell是否为空且尚未处理。