我使用JFrame
进行简单的游戏。我创建了一个简单的“开始”屏幕,它基本上由String
和JButton
组成。我正在使用actionPerformed(ActionEvent e)
方法点击按钮。我不知道如何使用按钮点击更改卡片。这可能看起来像是一个简单的问题需要解决,但这种扭曲伴随着:我的主要JFrame,我的StartScreen和我发生游戏的JPanel都在不同的文件中。我的主文件Virus.java是我创建JFrame
的地方。我的文件VirusGamePanel.java是游戏发生的地方。我的文件StartScreen.java是带按钮的屏幕。当玩家点击按钮时,我想将“卡片”更改为游戏屏幕。我怎样才能做到这一点?
我的StartScreen.java文件:
package virus;
import javax.swing.JPanel;
import java.awt.event.ActionListener;
import java.awt.Graphics;
import java.awt.Font;
import java.awt.Color;
import javax.swing.JButton;
import java.awt.Rectangle;
import java.awt.event.ActionEvent;
import java.awt.CardLayout;
public class StartScreen extends JPanel implements ActionListener{
private static final long serialVersionUID = 1L;
JButton start = new JButton("Start");
public StartScreen(){
start.addActionListener(this);
start.setBounds(new Rectangle(400,300,100,30));
this.add(start);
}
public void paint(Graphics g){
super.paint(g);
g.setFont(new Font("Impact",Font.BOLD,72));
g.setColor(Color.MAGENTA);
g.drawString("Virus",275,300);
}
public void actionPerformed(ActionEvent e)
{
if(e.getSource()==start)
{
//what to do here?
}
}
}
我的Virus.java文件:
package virus;
import javax.swing.*;
import java.awt.CardLayout;
import virus.StartScreen;
public class Virus extends JFrame{
private static final long serialVersionUID =1L;
JFrame jf = new JFrame("Virus");
static JPanel thegame = new JPanel(new CardLayout());
JPanel game = new VirusGamePanel();
JPanel start = new StartScreen();
public Virus(){
jf.setResizable(false);
jf.setSize(600,600);
jf.setLocationRelativeTo(null);
jf.setDefaultCloseOperation(EXIT_ON_CLOSE);
jf.setVisible(true);
jf.add(thegame);
thegame.add(start);
thegame.add(game);
}
public static void main(String[] args) {
new Virus();
}
}
答案 0 :(得分:7)
您只需在actionPerformed(...)
方法中对此进行修改:
public void actionPerformed(ActionEvent e)
{
if(e.getSource()==start)
{
//what to do here?
CardLayout cardLayout = (CardLayout) Virus.thegame.getLayout();
cardLayout.next(Virus.thegame);
}
}
正如@kleopatra(THE EMPRESS)本人非常指出的那样,不要覆盖paint()
,而是在任何paintComponent(Graphics g)
的{{1}}方法中进行绘画。此外,首先将组件添加到JPanel/JComponent
,一旦它的大小实现,然后只将其设置为可见,而不是在此之前。而不是设置JFrame
的大小只是覆盖JFrame
的方法JPanel
,而是让它返回一些有效的getPreferredSize()
对象。
在下次编写代码时,请注意此序列:
Dimension
以下是您的完整代码:
public Virus(){
jf.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
jf.setResizable(false);
thegame.add(start);
thegame.add(game);
jf.add(thegame);
jf.pack();
jf.setLocationRelativeTo(null);
jf.setVisible(true);
}
答案 1 :(得分:2)
您的StartScreen
班级必须能够访问CardLayout
的{{1}}实例和JFrame
类的实例。您可以在构造函数中传递这些实例,也可以在VirusGamePanel
类的setLayout
方法和setVirusGamePanel
方法中传递这些实例。
类似的东西:
StartScreen
应该有用。