java BoxLayout 面板的对齐方式

我四处浏览,没有找到专门针对我的情况的解决方案。我有一个面板,我显示在对话框中:

//create dialog panel
JPanel panel = new JPanel();
panel.setLayout(new BoxLayout(panel, BoxLayout.Y_AXIS));
panel.add(headerPanel);
panel.add(type1Panel);
panel.add(type2Panel);
panel.add(type3Panel);
panel.add(type4Panel);
panel.add(type5Panel);
panel.add(type6Panel);

int result = JOptionPane.showConfirmDialog(null, panel, "Please enter values.", JOptionPane.OK_CANCEL_OPTION);

最后两个面板的尺寸,type5和type6,大小相等,所以它们看起来很好。但是,标题和前4个面板的大小不同,我希望它们都左对齐。到目前为止,我还没有找到一个好的解决方案来解决这个问题。

问题是,我如何左对齐前5个面板,而不是最后2个面板?如果不是,我怎么能把它们全部左对齐?setalignmentx() 不可用于面板。我尝试过使用GridLayout,但是gui主窗口的宽度相当大,不能很好地适应屏幕,因此沿着Y轴的BoxLayout。感谢您的任何帮助或建议。


答案 1

下面是一个示例,它将左对齐添加到用作容器的面板中的所有 JPanels。

   JPanel a = new JPanel();
   JPanel b = new JPanel();
   JPanel c = new JPanel();

   a.setBackground( Color.RED );
   b.setBackground( Color.GREEN  );
   c.setBackground( Color.BLUE );

   a.setMaximumSize( new Dimension(  10, 10) );
   b.setMaximumSize( new Dimension(  50, 10) );

   a.setAlignmentX( Component.LEFT_ALIGNMENT );//0.0
   b.setAlignmentX( Component.LEFT_ALIGNMENT );//0.0
   c.setAlignmentX( Component.LEFT_ALIGNMENT );//0.0

   JPanel panel = new JPanel();
   panel.setLayout(new BoxLayout(panel, BoxLayout.Y_AXIS));
   panel.add(a);
   panel.add(b);
   panel.add(c); 

   int result = JOptionPane.showConfirmDialog(null, panel, "Please enter values.", JOptionPane.OK_CANCEL_OPTION);

答案 2

创建一个水平 javax.swing.Box 对象以包含每个 typenPanel 对象。使用水平支柱和胶水,您可以做任何您想做的事情:

Box  b1 = Box.createHorizontalBox();
b1.add( type1Panel );
b1.add( Box.createHorizontalGlue() );
panel.add( b1 );

为简单起见,请编写一个帮助器方法来执行此操作:

private Component leftJustify( JPanel panel )  {
    Box  b = Box.createHorizontalBox();
    b.add( panel );
    b.add( Box.createHorizontalGlue() );
    // (Note that you could throw a lot more components
    // and struts and glue in here.)
    return b;
}

然后:

panel.add( leftJustify( headerPanel ) );
panel.add( leftJustify( type1Panel ) );
panel.add( leftJustify( type2Panel ) );

等。。。。您可以对每条生产线更感兴趣,添加组件,胶水和支柱。我很幸运地深入嵌套了垂直和水平框,并在我想多次在框中执行相同的布局时编写帮助器方法。您可以执行的操作没有限制,根据需要混合组件,支柱和胶水。

我相信有更好的方法来做到这一切,但我还没有找到它。动态调整大小允许具有短文本位的用户使用一个小窗口,而具有大量文本的用户可以使用它的大小调整它,以便它适合。


推荐