java—将jscrollpane添加到jpanel中,其中包含另一个面板

pinkon5k  于 2021-07-06  发布在  Java
关注(0)|答案(1)|浏览(444)

我最近在做一个更大的项目,但不明白为什么jscrollpane不能工作。我以前从未使用过它,我在stackoverflow和其他编程论坛上读到了很多关于它的已解决问题,但没有一个代码看起来和我的相似,以帮助我实现我的方法。这是我的新项目,使它简短,并显示一些例子。

红色是主面板,将包含另一个面板/jscrollpane内,将是黑色,我想让这个jpanel与黑色的颜色是可滚动的,并持有任何数量的白色jpanel,可能是从0到100+

public class ScrollablePane {

private JFrame frame;
private JPanel panelCopy;
private JPanel panel;
private JPanel container;

/**
 * Launch the application.
 */
public static void main(String[] args) {
    EventQueue.invokeLater(new Runnable() {
        public void run() {
            try {
                ScrollablePane window = new ScrollablePane();
                window.frame.setVisible(true);
            } catch (Exception e) {
                e.printStackTrace();
            }
        }
    });
}

/**
 * Create the application.
 */
public ScrollablePane() {
    initialize();
}

/**
 * Initialize the contents of the frame.
 */
private void initialize() {
    frame = new JFrame();
    frame.setBounds(100, 100, 450, 300);
    frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
    frame.getContentPane().setLayout(null);

    panel = new JPanel();
    panel.setBackground(Color.RED);
    panel.setBounds(0, 0, 434, 261);
    frame.getContentPane().add(panel);
    panel.setLayout(null);

    container = new JPanel();
    container.setBackground(Color.BLACK);
    container.setBounds(10, 10, 414, 241);
    container.setLayout(new FlowLayout(FlowLayout.CENTER, 10, 10));
    panel.add(container);

    for(int i = 0; i < 20; i++) {
        if(i > 0) {
            panelCopy = new JPanel();
            panelCopy.setPreferredSize(new Dimension(400, 40));     
            container.add(panelCopy);
        }       
    }   
}

}

9lowa7mx

9lowa7mx1#

如果您想使用jscrollpane,那么您的代码实际上需要使用jscrollpane。您发布的代码甚至没有创建jscrollpane。
如果希望面板垂直显示,则不要使用flowlayout。flowlayout是水平布局。您可以使用boxlayout或gridbaglayout。
为什么要创建“panel”变量并将其添加到内容窗格中?框架的内容窗格已经是使用borderlayout的jpanel。无需添加其他面板
不要使用空布局!!!swing设计用于布局管理器。如果添加到滚动窗格的面板使用空布局,则滚动将不起作用。
所以在你的案例中,基本逻辑可能是这样的:

Box container = Box.createVerticalBox();
// add you child panels to the container. 

JPanel wrapper = new JPanel( new BorderLayout() );
wrapper.add(container, BorderLayout.PAGE_START);

JScrollPane scrollPane = new JScrollPane(wrapper);

frame.add(scrollPane, BorderLayout.CENTER);

注意:当滚动窗格大于“容器”面板的首选尺寸时,“ Package ”面板用于防止面板在尺寸上扩展。
尝试:

//JScrollPane scrollPane = new JScrollPane(wrapper);
JScrollPane scrollPane = new JScrollPane(container);

看到不同的结果。

相关问题