Eclipse PDE:以编程方式检测打开的对话框并关闭它

Eclipse PDE: Programmatically detect opened dialog and close it

在 Eclipse Luna 上,我 select 服务器并单击服务器视图上的启动按钮,然后服务器(例如 Tomcat8)将启动。如果在启动过程中出现问题,将填充一个对话框以显示错误消息(例如超时)。此测试用例中的对话框是无模式的。

现在我需要从插件中以编程方式启动服务器。如果发生错误,我如何以编程方式检测到对话框已打开以及如何关闭它?

您可以使用 Display.addFilter 方法来侦听所有 SWT.Activate 事件,这些事件将告诉您所有 Shell(和其他东西)正在被激活。然后,您可以检测要关闭的外壳。

类似于:

Display.getDefault().addFilter(SWT.Activate, new Listener()
  {
    @Override
    public void handleEvent(final Event event)
    {
      // Is this a Shell being activated?

      if (event.widget instanceof Shell)
       {
         final Shell shell = (Shell)event.widget;

         // Look at the shell title to see if it is the one we want

         if ("About".equals(shell.getText()))
          {
            // Close the shell after it has finished initializing

            Display.getDefault().asyncExec(new Runnable()
             {
               @Override
               public void run()
               {
                 shell.close();
               }
             });
          }
       }
    }
  });

关闭名为 'About' 的对话框。

在 Java 的更新版本中,上述内容可以简化为:

Display.getDefault().addFilter(SWT.Activate, event ->
  {
    // Is this a Shell being activated?

    if (event.widget instanceof Shell shell)
     {
       // Look at the shell title to see if it is the one we want

       if ("About".equals(shell.getText()))
        {
          // Close the shell after it has finished initializing

          Display.getDefault().asyncExec(shell::close);
        }
     }
  });

这使用了 Java 8 个 lambda 和方法引用以及 Java 16 个 instanceof 类型模式。