我正在尝试执行以下代码:

SwingUtilities.invokeLater(new Runnable() {
                            public void run() {
                                if (frame.getExtendedState() == Frame.ICONIFIED)
                                    frame.setExtendedState(Frame.NORMAL);
                                frame.getGlassPane().setVisible(!frame.getGlassPane().isVisible());

                                frame.toFront();
                                frame.repaint();

                            }
                        });


不幸的是,这不能将其从其他窗口的后面移到前面...有解决方案吗?

最佳答案

根据setExtendedState的API文档:


如果框架当前在屏幕上可见(
Window.isShowing()方法返回true),开发人员应检查
的WindowEvent.getNewState()方法的返回值
通过WindowStateListener接收到的WindowEvent确定
状态实际上已经改变。

如果框架在屏幕上不可见,则事件可能会或可能不会
被生成。在这种情况下,开发人员可以假定状态
此方法返回后立即更改。后来,当
setVisible(true)方法被调用,框架将尝试应用
这种状态。接收任何WindowEvent.WINDOW_STATE_CHANGED事件是
在这种情况下也不能保证。


但是,您还可以在windowDeiconified上加入WindowListener回调:

SwingUtilities.invokeLater(new Runnable() {
  private final WindowListener l = new WindowAdapter() {
    @Override
    public void void windowDeiconified(WindowEvent e) {
      // Window now deiconified so bring it to the front.
      bringToFront();

      // Remove "one-shot" WindowListener to prevent memory leak.
      frame.removeWindowListener(this);
    }
  };

  public void run() {
    if (frame.getExtendedState() == Frame.ICONIFIED) {
      // Add listener and await callback once window has been deiconified.
      frame.addWindowListener(l);
      frame.setExtendedState(Frame.NORMAL);
    } else {
      // Bring to front synchronously.
      bringToFront();
    }
  }

  private void bringToFront() {
    frame.getGlassPane().setVisible(!frame.getGlassPane().isVisible());
    frame.toFront();
    // Note: Calling repaint explicitly should not be necessary.
  }
});

07-25 22:46