卡片布局 - java GUI

Card Layout - java GUI

java 中的 CardLayout() 是如何工作的?我使用了互联网,但似乎无法让 CardLayout 工作。这是我目前使用的代码,但无法正常工作:

import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
import javax.swing.event.*;
public class GameManager
{
    JFrame frame;
    JPanel cards,title;
    public GameManager()
    {
        cards = new JPanel(new CardLayout());
        title = new JPanel();
        cards.add(title,"title");
        CardLayout cl = (CardLayout)(cards.getLayout());
        cl.show(cards, "title");
    }
    public static void main(String [] args)
    {
        GameManager gm = new GameManager();
        gm.run();
    }
    public void run()
    {
        frame = new JFrame("Greek Olympics");
        frame.setSize(1000,1000);
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.getContentPane().add(cards);
        frame.setVisible(true);
        CardLayout cl = (CardLayout)(cards.getLayout());
        cl.show(cards, "title");
    }
    public class title extends JPanel
    {
        public void paintComponent(Graphics g)
        {
            super.paintComponent(g);
            g.fillRect(100,100,100,100);
        }
    }
}

我应该怎么做才能让面板标题显示我绘制的矩形,因为它没有显示我目前的代码。

初始化局部变量 title 时,您正在创建 JPanel 的实例,而不是您定义的 title class。

为清楚起见并遵守 Java 命名约定,您应该将 class 名称大写 (Title)。然后,您需要将 title 变量的类型更改为 Title.

这是更新后的代码,我强调的地方发生了变化。

import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
import javax.swing.event.*;
public class GameManager {
    JFrame frame;
    JPanel cards; // <-----
    Title title; // <-----

    public GameManager(){
        cards = new JPanel(new CardLayout());
        title = new Title(); // <-----
        cards.add(title,"title");
        CardLayout cl = (CardLayout)(cards.getLayout());
        cl.show(cards, "title");
    }

    public static void main(String [] args){
        GameManager gm = new GameManager();
        gm.run();
    }

    public void run(){
        frame = new JFrame("Greek Olympics");
        frame.setSize(1000,1000);
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.getContentPane().add(cards);
        frame.setVisible(true);
        CardLayout cl = (CardLayout)(cards.getLayout());
        cl.show(cards, "title");
    }

    public class Title extends JPanel { // <-----
        public void paintComponent(Graphics g){
            super.paintComponent(g);
            g.fillRect(100,100,100,100);
        }
    }
}