Java事件队列:如何更新JFrame中的组件

时间:2012-08-24 07:19:33

标签: java swing awt-eventqueue

我在阅读Java Swing编程时已经读过,我们应该把这些组件放到Java Event Queue中,因为Java Swing线程不是线程安全的。

但是,当我使用Event Queue时,我不知道如何更新组件属性(例如:为标签设置文本或更改某些内容......)。这是我的代码:

public class SwingExample {

    private JLabel lblLabel;    
    SwingExample(){
        JFrame frame = new JFrame();
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.setVisible(true);

        lblLabel = new JLabel("Hello, world!", JLabel.CENTER);
        frame.getContentPane().add(lblLabel); // adds to CENTER
        frame.setSize(200, 150);
        frame.setVisible(true);

    }

    public void setLabel(){
        lblLabel.setText("Bye Bye !!!");
    }



    public static void main(String[] args) throws Exception
    {
        SwingExample example = null;
        EventQueue.invokeLater(new Runnable()
        {
            public void run()
            {
                example = new SwingExample(); // ERROR : Cannot refer to non-final variable inside an inner class defined in different method
            }
        });

        // sometime in the futures, i want to update label, so i will call this method...
        example.setLabel();
    }

}

我知道,如果我写SwingExample example = new SwingExample();,错误将不会再出现,但如果我使用该错误,我将无法再处理example.setLabel

请告诉我有关此错误以及如何解决此问题。

谢谢:)

1 个答案:

答案 0 :(得分:3)

通过将SwingExample实例作为字段,您可以在内部类中引用它而不是final

public class SwingExample {

    private JLabel lblLabel;    
    private static SwingExample instance;    

    SwingExample() {
        // code omitted
    }

    public void setLabel() {
        lblLabel.setText("Bye Bye !!!");
    }

    public static void main(String[] args) throws Exception {
        EventQueue.invokeLater(new Runnable() {
            public void run() {
                instance = new SwingExample();
            }
        });

        // ...

        EventQueue.invokeLater(new Runnable() {
            public void run() {
              instance.setLabel();
            }
        });
    }
}