我正在开发一个Applet,它有一个我想用来启用另一个JButton的JButton。但是,当我按下按钮时,我收到错误:线程“AWT-EventQueue-1”中的异常java.lang.NullPointerException。为什么会这样?好像当我运行Applet时,全局变量不会被实例化(即它们都是“null”)。在另一个程序中,一切正常,在实现此操作方面,我发现两者之间没有任何区别。
以下是我的一些代码:
public class implementation2 extends Applet implements ActionListener {
private static final long serialVersionUID = -4370650602318597069L;
...
public JButton coreButton, testButton;
...
public void init() {
...
final JButton testButton = new JButton("Test);
testButton.addActionListener(this);
...
final JButton coreButton = new JButton("CORE");
coreButton.addActionListener(this);
coreButton.setEnabled(false);
...
}
...
public void actionPerformed(final ActionEvent event) {
if(event.getActionCommand() == "Test") {
coreButton.setEnabled(false);
}
...
如果有人能指出我修复我的代码的方向,那将非常感谢!谢谢!
答案 0 :(得分:1)
这是问题所在:
public JButton coreButton, testButton;
public void init() {
final JButton testButton = new JButton("Test);
在这里,您创建了一个 local 变量,它隐藏了testButton
的实例变量(coreButton
也是如此)。这意味着实例变量仍为空 - 所以当您稍后尝试取消引用它们时,会出现异常。您不希望在init
中声明新的局部变量 - 您只想将值分配给实例变量。更正后的代码:
public class Implementation2 extends Applet implements ActionListener {
private static final long serialVersionUID = -4370650602318597069L;
...
public JButton coreButton, testButton;
...
public void init() {
...
testButton = new JButton("Test");
testButton.addActionListener(this);
...
coreButton = new JButton("CORE");
coreButton.addActionListener(this);
coreButton.setEnabled(false);
...
}
...
public void actionPerformed(final ActionEvent event) {
if("Test".equals(event.getActionCommand())) {
coreButton.setEnabled(false);
}
...
}
}
答案 1 :(得分:1)
当你将它们声明为全局时,为什么再次在init()init()
中声明它们只需写:
public void init() {
...
testButton = new JButton("Test");
testButton.addActionListener(this);
...
coreButton = new JButton("CORE");
coreButton.addActionListener(this);
coreButton.setEnabled(false);
...
}
代码中可能存在的错误:
public class implementation2 extends Applet implements ActionListener {
private static final long serialVersionUID = -4370650602318597069L;
...
public JButton coreButton, testButton;
...
public void init() {
...
final JButton testButton = new JButton("Test); //---- Duplicate declaration which should not be done.
//---- Forgot to write `"` to finish `Test` string
testButton.addActionListener(this);
...
final JButton coreButton = new JButton("CORE"); //---- Duplicate declaration which should not be done.
coreButton.addActionListener(this);
coreButton.setEnabled(false);
...
}
...
public void actionPerformed(final ActionEvent event) {
if(event.getActionCommand() == "Test") { //--- use `.equals()` instead of `==`
coreButton.setEnabled(false); //---- set it to `true` instead of `false`.
}
答案 2 :(得分:0)
在init()中,你创建了两个隐藏外部按钮的本地按钮,因此,它们在init()之后仍然为null。