我创建了一个 JPanel,其中包含任意数量的 JLabel,并使用左对齐的流布局管理器进行布局。让我们称之为 FlowPanel。
每个 FlowPanel 都有一个深度,我想将任意数量的这些 FlowPanel 堆叠在一起,每个都以固定数量 * 深度缩进。最终的目标是在 JScrollPane 中显示这些堆叠的面板,其中包含垂直滚动条(如果需要)但不是水平滚动条。
我尝试将 FlowPanel 与 GridBagLayout 堆叠在一起,虽然让它们垂直堆叠并按我想要的方式缩进很容易,但我不知道如何正确地获得宽度。也就是说,FlowPanel 只是从我的主面板的右侧运行,而不注意显示的宽度。
我试过使用 setPreferredSize、setSize、搞乱 GridBagConstraints ......没有运气。
请帮忙!:)
一些示例代码来演示该问题。此代码有 2 个问题: 1. 即使只有几行,行也应保持恒定高度。2. 当FlowPanels 包含太多元素时,行会从屏幕右侧滚动。
public class FlowExample {
public static void main(String[] args) throws Exception {
JFrame frame = new JFrame();
StackPanel stackPanel = new StackPanel();
frame.getContentPane().setLayout(new BorderLayout());
frame.getContentPane().add(
new JScrollPane(stackPanel, JScrollPane.VERTICAL_SCROLLBAR_AS_NEEDED, JScrollPane.HORIZONTAL_SCROLLBAR_NEVER),
BorderLayout.CENTER);
frame.setLocation(200, 200);
frame.setSize(300, 300);
frame.setVisible(true);
List<FlowPanel> content = new ArrayList<FlowPanel>();
for (int i = 0; i < 20; i++) {
FlowPanel flowPanel = new FlowPanel((int) (4 * Math.random()));
for (int j = 0; j < (int) (20 * Math.random()); j++) {
flowPanel.add(new JLabel("label " + j));
}
content.add(flowPanel);
stackPanel.layoutGUI(content);
Thread.sleep(1000);
}
System.in.read();
System.exit(0);
}
}
class StackPanel extends JPanel {
public StackPanel() {
setLayout(new BorderLayout());
}
public void layoutGUI(final List<FlowPanel> content) {
if (!SwingUtilities.isEventDispatchThread()) {
SwingUtilities.invokeLater(new Runnable() {
@Override
public void run() {
layoutGUI(content);
}
});
return;
}
JPanel mainPanel = new JPanel();
mainPanel.setLayout(new GridLayout(content.size(), 1));
for (FlowPanel flowPanel : content) {
flowPanel.setBorder(BorderFactory.createEmptyBorder(0, flowPanel.getDepth() * 10, 0, 0));
mainPanel.add(flowPanel);
}
removeAll();
add(mainPanel, BorderLayout.CENTER);
revalidate();
}
}
class FlowPanel extends JPanel {
private int depth;
public FlowPanel(int depth) {
setLayout(new FlowLayout(FlowLayout.LEFT));
this.depth = depth;
}
public int getDepth() {
return depth;
}
}
这是一些使用 GridBagLayout 布局主面板的示例代码。这是我得到的最好的结果,但是正如你所看到的,FlowPanels 仍然没有换行......
JPanel mainPanel = new JPanel();
mainPanel.setLayout(new GridBagLayout());
GridBagConstraints constraints = new GridBagConstraints();
constraints.weightx = 1;
constraints.gridwidth = GridBagConstraints.REMAINDER;
constraints.anchor = GridBagConstraints.LINE_START;
for (FlowPanel flowPanel : content) {
System.out.println("setting border to " + flowPanel.getDepth());
flowPanel.setBorder(BorderFactory.createEmptyBorder(0, flowPanel.getDepth() * 10, 0, 0));
mainPanel.add(flowPanel, constraints);
}
constraints.weighty = 1;
mainPanel.add(new JPanel(), constraints);
removeAll();
add(mainPanel, BorderLayout.CENTER);
revalidate();