我正在开发一个项目,但该程序似乎有一个我找不到的错误。
这是一个MCVE,可以重现问题:
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JPanel;
import javax.swing.JButton;
import java.awt.FlowLayout;
import java.awt.event.ActionListener;
import java.awt.event.ActionEvent;
public class SO{
JLabel label;
JButton button;
JPanel panel;
JFrame frame;
public static void main(String[] args){
new SO().start();
}
public void start()
{
label = new JLabel("Button not pressed");
button = new JButton("Press me");
frame = new JFrame();
panel = new JPanel(new FlowLayout(FlowLayout.CENTER));
panel.add(label);
panel.add(button);
frame.add(panel);
frame.pack();
frame.setLocationRelativeTo(null);
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.setVisible(true);
button.addActionListener(new ActionListener(){
public void actionPerformed(ActionEvent e)
{
System.out.println("Button was pressed");
label = new JLabel("Button is pressed"); //Doesn't work
frame.repaint();
}
});
}
}
上面的程序有一个带有一些文本的JLabel和一个JButton,它们都被添加到JPanel中,而JPanel又被添加到JFrame中。
按下按钮时,我希望JLabel中的文本发生变化。但是,尽管每次按下按钮都会执行println
,但文本不会被更改。
这里有什么问题?
答案 0 :(得分:2)
您正在点击按钮创建JLabel
的新对象,但之后不会将其添加到JPanel
或JFrame
。
尽管创建了新对象,即
label = new JLabel("Button is pressed")
做类似的事情,
label.setText("Button is pressed");
答案 1 :(得分:1)
更改
label = new JLabel("Button is pressed");
到
label.setText("Button is pressed");
您不需要每次都创建和分配新标签。只需更改文字
答案 2 :(得分:0)
您可以将该行更改为label.setText("按下按钮");使这项工作。
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JPanel;
import javax.swing.JButton;
import java.awt.FlowLayout;
import java.awt.event.ActionListener;
import java.awt.event.ActionEvent;
public class SO{
JLabel label;
JButton button;
JPanel panel;
JFrame frame;
public static void main(String[] args){
new SO().start();
}
public void start()
{
label = new JLabel("Button not pressed");
button = new JButton("Press me");
frame = new JFrame();
panel = new JPanel(new FlowLayout(FlowLayout.CENTER));
panel.add(label);
panel.add(button);
frame.add(panel);
frame.pack();
frame.setLocationRelativeTo(null);
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.setVisible(true);
button.addActionListener(new ActionListener(){
public void actionPerformed(ActionEvent e)
{
System.out.println("Button was pressed");
label.setText("Button is pressed"); //Doesn't work
frame.repaint();
}
});
}
}