-2

好像我完全不明白这些东西是如何工作的......我有一个扩展 JPanel 并实现 Actionlistener 的类,然后我想将它添加到扩展 JFrame 的类中......我无法做到工作.....

public class testPanel extends JFrame implements ActionListener{
JButton someBtn;

public testPanel(JButton someBtn){
    this.someBtn = someBtn;
    add(someBtn);
    someBtn.addActionListener(this);

}

@Override
public void actionPerformed(ActionEvent e){
    if(e.getSource() == someBtn)
        System.out.println("this worked");
}

}

二级文件

public class JavaApplication3 extends JFrame{

/**
 * @param args the command line arguments
 */
JButton button;

public JavaApplication3(){
    super("blah");
    JFrame p = new testPanel(button);
    add(p);
    pack();
    setVisible(true);
    setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
}

public static void main(String[] args) {
    // TODO code application logic here
    new JavaApplication3();
}
}
4

1 回答 1

1

中的这一行testPanel肯定会引发异常:

add(someBtn);

由于引用someBtn为空...

您从未在类中初始化button实例变量JavaApplication3,bzut 在类的构造函数中使用了该变量testPanel

但是,您希望得到此流程的逆:

  1. testPanel在类中创建按钮
  2. 如果你想从JavaApplication3类中获取参考——你需要在 testPanel 类中使用 getter

例子:

public class testPanel extends JFrame implements ActionListener{
    JButton someBtn; //consider using private

    public testPanel(){
        this.someBtn = new JButton(); //add correct constructor here
        add(someBtn);
        someBtn.addActionListener(this);
    }

    public JButton getSomeBtn() {
        reeturn someBtn;
    }
//... rest comes here
}



public class JavaApplication3 extends JFrame{

    JButton button;

    public JavaApplication3(){
        super("blah");
        JFrame p = new testPanel();
        button  = p.getSomeBtn(); //this is the important line
        add(p);
        pack();
        setVisible(true);
        setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
    }
    //... rest comes here    
}

旁注:使用 Java 命名约定:类名以大写字母开头...

于 2013-10-01T19:44:13.070 回答