1

再会,

希望这是一个快速的问题。我正在编写一个在 JFrame 中使用 JPanels 和 JLayeredPane 的应用程序。在我的应用程序最初启动时,其中一个面板不会显示,直到我的鼠标移到面板应该所在的区域上。我什至调用了 validate 和 repaint 方法,但我仍然能够同时显示两个面板。有什么建议么?谢谢你。

这是我的 JFrame 类(具有 main 方法)

import java.awt.Dimension;
import javax.swing.JButton;
import javax.swing.JFrame;
import javax.swing.JLayeredPane;
import javax.swing.JPanel;


public class Application extends JFrame
{
    public Application()
    {   
        this.setSize(500,500);
        this.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        this.setVisible(true);

        JLayeredPane lp = new JLayeredPane();
        lp.setBounds(0,0,500,500);
        this.setLayeredPane(lp);

        Mypanel p1 = new Mypanel();
        Mypanel2 p2 = new Mypanel2();

        this.getLayeredPane().add(p1,0);
        this.getLayeredPane().add(p2,1);

        this.validate();
        this.repaint();
        this.validate();
    }


    public static void main(String[] args)
    {
        Application app = new Application();

    }
}

这是我的小组课程之一

import javax.swing.JButton;
import javax.swing.JPanel;

public class Mypanel extends JPanel
{
    public JButton button;

    public Mypanel()
    {
        this.setLayout(null);
        this.setBounds(0, 0, 500, 500);
        JButton b = new JButton("Hello");
        b.setBounds(20,20,300,300);
        this.add(b);
    }
}

最后是我的最后一堂小组课

import javax.swing.JButton;
import javax.swing.JPanel;


public class Mypanel2 extends JPanel
{
    public JButton button;

    public Mypanel2()
    {
        this.setLayout(null);
        this.setBounds(0, 0, 500, 500);
        JButton b = new JButton("SUP");
        b.setBounds(20,10,200,200);
        this.add(b);
        this.repaint();
        this.validate();
        this.repaint();
    }
}
4

2 回答 2

1

首先,在一个有效的程序中只JComponent重绘自己。如果在某些时候你发现c.repaint()从你的控制器代码调用解决了一些问题,你忽略了作为 Swing 框架核心的基本合约。这从来都不是一个好主意。所以删除所有这些repaintvalidate电话是一个好的开始。下一个重要的事情是了解轻量级秋千组件是如何为他们的孩子绘画的。有两种模式:优化和未优化。第一个仅适用于兄弟姐妹在容器中不相互重叠的情况。如果他们这样做了并且优化了绘制,那么当这些组件重新绘制自己时(例如当您将鼠标指针悬停在它们上方时),您将获得各种奇怪的行为。所有轻量级组件都可以通过setComponentZOrder(). JLayeredPane 只是引入了层的概念,以更灵活的方式控制 zorder。它试图聪明地选择哪种模式来绘制它的孩子,但遗憾的是,它的工作方式有一些微妙之处。所以这段代码可以满足你的需要:

Mypanel p1 = new Mypanel();
Mypanel2 p2 = new Mypanel2();

getLayeredPane().setLayer(p1,0);
getLayeredPane().setLayer(p2,1);

getLayeredPane().add(p1);
getLayeredPane().add(p2);

这不会:

Mypanel p1 = new Mypanel();
Mypanel2 p2 = new Mypanel2();

getLayeredPane().add(p1);
getLayeredPane().add(p2);

getLayeredPane().setLayer(p1,0);
getLayeredPane().setLayer(p2,1);

诀窍是setLayer在将子项添加到容器之前调用,以便 JLayeredPane 关闭优化绘制。

顺便说一句,我不禁想知道为什么 JLayeredPane?如果您需要以编程方式在不同布局之间切换,也许 JTabbedPane 是您的答案

于 2012-06-25T21:48:15.077 回答
0
JLayeredPane lp = new JLayeredPane();
JPanel d = new JPanel();
d.setVisible(true);
d.setBounds(10, 10, 556, 386);
lp.add(d, new Integer(0), 0);
于 2013-03-19T18:24:19.170 回答