1

我有以下绘制标签的类。(我这里只给出了部分代码)。Everyhting 工作正常,标签显示。

现在,我有另一个名为CallerClass 的课程。我有一种方法可以用来更改此标签的值。我怎样才能做到这一点

public class MyClass{

    private JLabel label;

    MyClass(){

       run();
    }

   public void editTheLabelsValue (String text) {
      label.setText(text);
      frame.repaint(); 
    }


    run(){
            .... // there were more code here, i removed it as it's not relevant to the problem
        label = new JLabel("Whooo");
        label.setBounds(0, 0, 50, 100);
        frame.getContentPane().add(label);
            .....
    }

稍后,我将使用以下类来更改上述标签的文本。我怎样才能做到这一点。

public class Caller {

void methodA(){
MyClass mc = new MyClass();
mc.editTheLabelsValue("Hello");
}

}

1.) 执行 methodA() 时,文本Hello不会显示在标签字段上。它仍然是Whooo. 我该如何纠正这个。我希望标签文本在Hello该方法执行后出现。

4

1 回答 1

2

我可以看到的直接问题是您似乎正在使用null布局,或者您不了解布局管理器的工作方式。

setText以下代码通过方法调用从子类中的主类更新标签。此方法每秒调用一次

在此处输入图像描述

public class PaintMyLabel {

    private int counter = 0;

    public static void main(String[] args) {
        new PaintMyLabel();
    }

    public PaintMyLabel() {
        EventQueue.invokeLater(new Runnable() {
            @Override
            public void run() {
                try {
                    UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName());
                } catch (ClassNotFoundException | InstantiationException | IllegalAccessException | UnsupportedLookAndFeelException ex) {
                }

                final MasterPane master = new MasterPane();

                JFrame frame = new JFrame();
                frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
                frame.setLayout(new BorderLayout());
                frame.add(master);
                frame.pack();
                frame.setLocationRelativeTo(null);
                frame.setVisible(true);

                Timer timer = new Timer(1000, new ActionListener() {

                    @Override
                    public void actionPerformed(ActionEvent e) {
                        counter++;
                        master.setText("Now updated " + counter + " times");
                    }
                });
                timer.setRepeats(true);
                timer.setCoalesce(true);
                timer.start();

            }
        });
    }

    public class MasterPane extends JPanel {

        private JLabel label;

        public MasterPane() {
            label = new JLabel("Original text");
            setLayout(new GridBagLayout());
            add(label);
        }

        public void setText(String text) {
            label.setText(text);
        }

    }

}

如果您正在使用null布局,请停止它。只是不要。只有极少数时候你会使用null布局,我怀疑这不是其中之一。

于 2012-11-15T22:03:22.067 回答