1

我正在尝试编写代码来移动椭圆,因此我将椭圆设置在透明的 JPanel 内(它将是红色背景上的红色 JPanel)并使用 actionperformed 来移动 JPanel。在我让 JButton 工作之后,我打算添加键盘绑定器。为什么 actionperformed 方法没有从 JBUtton 获取信号?

public class PanelExample_Extended{

public static final int OVAL_WIDTH = 20, OVAL_HEIGHT = 20;
public static int x1 = 50, y1 = 100;
JButton upButton;
JPanel transparentPanel;

public class MyGraphics extends JComponent {



    private static final long serialVersionUID = 7526472295622776147L;

    MyGraphics() {
        setPreferredSize(new Dimension(20,20));
    }

    public void paintComponent(Graphics g){
        super.paintComponents(g);
        g.setColor(Color.blue);
        g.fillOval(0, 0, OVAL_WIDTH, OVAL_HEIGHT);
    }

}

 public JPanel createContentPane (){

    JPanel totalGUI = new JPanel();
    totalGUI.setLayout(null);

    transparentPanel = new JPanel(new BorderLayout());
    transparentPanel.setBackground(Color.red);
    transparentPanel.setLocation(x1, y1);
    transparentPanel.setSize(20,20);
    MyGraphics tr = new MyGraphics();
    tr.setLocation(0, 0);
    transparentPanel.add(tr);
    totalGUI.add(transparentPanel);

    upButton = new JButton("up");
    upButton.setLocation(0,50);
    upButton.setSize(50,50);
    totalGUI.add(upButton);


    totalGUI.setOpaque(true);
    return totalGUI;
}

private static void createAndShowGUI() {

    JFrame.setDefaultLookAndFeelDecorated(true);
    JFrame frame = new JFrame("[=] ??? [=]");


    PanelExample_Extended demo = new PanelExample_Extended();
    frame.setContentPane(demo.createContentPane());

    frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
    frame.setSize(290, 100);
    frame.setVisible(true);
}

public void ActionPerformed(ActionEvent h){
    if( h.getSource() == upButton) {
        y1 = y1  - 10;
        transparentPanel.setLocation(x1, y1);
    }

}

public static void main(String[] args) {
    SwingUtilities.invokeLater(new Runnable() {
        public void run() {
            createAndShowGUI();
        }
    });
}
}
4

1 回答 1

3

任何地方都没有电话addActionListener(...)。除非您首先与听众“挂钩”,否则任何按钮都不会起作用,这是您作为编码员的责任。

解决方案:调用addActionListener(...)您的 JButton 并传入适当的侦听器。这在JButton 教程中都有很好的描述(现在添加了链接),如果您认真学习 Swing,我建议您不仅要看它,还要研究它。


编辑:

  • 您的代码也没有 ActionListener !你真的应该阅读我提供的链接上的教程。
  • 正如@Radiodef 指出的那样,您将 actionPerformed 大写错误。确保在所有被覆盖的方法之前加上@Override注释,以让编译器检查您是否正确执行此操作,您的方法“签名”是否正确。
  • 此外,正如 camickr 指出的那样,x1 和 y1 不应该是静态的。您应该为持有它们的类提供公共 setter 方法,setX1(int x1)setY1(int y1)让需要设置这些字段的类调用这些方法。
  • 此外,在移动组件时,请务必调用revalidate()repaint()在容纳它们的容器上,以便重新定位和重绘它们。
于 2013-10-26T20:57:55.910 回答