1

编辑代码:

public static void main(String[] args){

    JFrame frame = new JFrame();

    frame.setLayout(new FlowLayout(FlowLayout.CENTER, 0, 0));
    frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);

    frame.add(new StartPanel());
    frame.add(new InstructionsPanel());
    frame.add(new GamePanel());

    frame.getContentPane().getComponent(1).setVisible(false);
    frame.getContentPane().getComponent(2).setVisible(false);

    frame.setPreferredSize(new Dimension(500, 500));
    frame.pack();
    frame.setVisible(true);

}

无论我尝试从哪个外部类(上面的 3 个面板类中的任何一个)修改框架,我都会得到一个空指针异常,指向我正在修改框架中的某些内容的行。

4

1 回答 1

1

您的 Panel 类是在创建JFrame之前创建的,因此 JFrame 在 Panel 类构造函数中将为空。但是根据我的评论,您应该通过摆脱那些静态修饰符将您的代码带入实例世界。你的整个程序设计,委婉地说,有味道。您的主要方法应该看起来像:

private static void createAndShowGui() {
  // Model model = new MyModel();
  View view = new View();
  // Control control = new MyControl(model, view);

  JFrame frame = new JFrame("My GUI");
  frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
  frame.getContentPane().add(view.getMainComponent());
  frame.pack();
  frame.setLocationByPlatform(true);
  frame.setVisible(true);
}

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

和视图可能看起来像:

public class View
  private StartPanel s = new StartPanel();
  private InstructionsPanel i = new InstructionsPanel();
  private GamePanel g = new GamePanel();
  private JPanel mainComponent = new JPanel();

  public View() {
    // create your GUI here
    // add components to mainComponent...
  }

  public JComponent getMainComponent() {
    return mainComponent;
  }
}
于 2013-05-12T01:20:10.350 回答