0

我正在努力使用 WindowListener 来关闭 JFrame。

我有一种情况,客户端登录到服务器,当客户端关闭他的应用程序时,需要通知服务器。因此,为了通知服务器,应该处理一个类的另一个实例(处理 rmi 实现)。该实例是我的 GUI 类中的全局变量。

我在网上搜索了一下,但我能解决的问题是以下结构

addWindowListener(new WindowAdapter() 
{
  public void windowClosed(WindowEvent e)
  {
    System.out.println("jdialog window closed event received");
  }

  public void windowClosing(WindowEvent e)
  {
    System.out.println("jdialog window closing event received");
  }
});

这里的问题是我不能使用全局变量。谁能帮我解决这个问题?

4

1 回答 1

1

过去,当我遇到同样的问题时,我决定实现一个单例模式来保持用户当前会话的“全局”。这样我就可以访问我需要的任何课程中的当前会话。

它应该是这样的:

public class SessionManager {

    private static SessionManager instance;
    private Session currentSession; // this object holds the session data (user, host, start time, etc)

    private SessionManager(){ ... }

    public static SessionManager getInstance(){
        if(instance == null){
            instance = new SessionManager();
        }
        return instance;
    }

    public void startNewSession(User user){
        // starts a new session for the given User
    }

    public void endCurrentSession(){
        // here notify the server that the session is being closed
    }

    public Session getCurrentSession(){
        return currentSession;
    }
}

然后我调用endCurrentSession()内部windowClosing()方法,如下所示:

public void windowClosing(WindowEvent e) {
    SessionManager.getInstance().endCurrentSession();
}

注意:在此调用此方法将在事件调度线程中执行,导致 GUI“冻结”,直到此方法完成。如果您与服务器的交互需要很长时间,您可能希望在单独的线程中进行此操作。

于 2013-11-11T18:17:29.403 回答