所以我有这个游戏,我刚刚开始制作,我在制作游戏时遇到的第一个问题是在通过卡片布局更改面板时,当我执行该过程时,它确实向我显示它正在实例化对象以及它正在进行面板展示,但在视觉上没有效果。
代码如下:
原创课程
public class Parking_Mania {
public static void main(String []args)throws Exception
{
new GameFrame("Paking Mania");
}
}
游戏框架类
public class GameFrame extends JFrame{
public GameFrame(String name)
{
this.setTitle(name);
this.setSize(640,510);
this.setLocationRelativeTo(null);
this.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
this.setResizable(false);
this.setVisible(true);
Frames frame=new Frames();
this.add(frame);
frame.panel.show(frame, "opening");
}
}
更改框架的面板
public class Frames extends JPanel{
CardLayout panel= new CardLayout();
public Frames()
{
this.setLayout(panel);
System.out.println("hello");
Opening op=new Opening();
nxtframe nf= new nxtframe();
this.add(op, "opening");
this.add(nf, "nt");
}
public void nxtf()
{
panel.show(this, "nt");
}
}
第一个小组
public class Opening extends JPanel{
JButton but=new JButton();
public Opening(){
this.setLayout(null);
this.setBackground(Color.BLACK);
add(but);
but.setText("next frame");
but.setBounds(0, 0, 110, 120);
but.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e)
{
Frames f=new Frames();
f.nxtf();
}
});
}
public void paint(Graphics g)
{
g.fillRect(110, 120, 110, 120);
}
}
第二小组
public class nxtframe extends JPanel{
JButton but=new JButton();
public nxtframe(){
System.out.println("hello");
this.setLayout(null);
add(but);
but.setText("next frame");
but.setBounds(0, 0, 110, 120);
but.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e)
{
}
});
}
public void paint(Graphics g)
{
g.setColor(Color.BLUE);
g.fillOval(110, 120, 110, 120);
}
}
PS:我没有打扰添加评论,因为我认为这是自我解释。请放心,如果您确实需要我添加评论,我会立即添加。
答案 0 :(得分:2)
批判性思考:您认为这样做:ActionListener中的new Frames();
?
答案:它会创建一个 NEW (强调单词“new”)Frames对象。新的,与全新的,独特的和原始的无关的。更改此Frames对象上的视图对当前显示的Frames对象没有任何影响,因此您的问题的解决方案是*获取对实际显示对象的引用并调用更改其上的卡的方法。
一种解决方案是将可视化的Frames引用传递给Opening,例如通过构造函数参数传递,例如,更改
Opening op=new Opening();
为:
Opening op = new Opening(this); // pass in the current Frames reference
然后在Opening构造函数中抓取该引用并使用它:
public class Opening extends JPanel{
private JButton but=new JButton();
private Frames f;
public Opening(final Frames f){
this.f = f;
this.setLayout(null); // !!!! no don't do this!!!
this.setBackground(Color.BLACK);
add(but);
but.setText("next frame");
but.setBounds(0, 0, 110, 120); // and don't do this!
but.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
// !!Frames f=new Frames();
f.nxtf();
}
});
}
public void paint(Graphics g) {
g.fillRect(110, 120, 110, 120);
}
}
其他无关的问题: