这是我的程序的外观,我对应该在哪里使用不同的布局感到有些困惑。

我有一个Window类,它调用Panel类,而Panel类则调用InputPanel和DisplayPanel类。我的InputPanel类调用了DetailsPanel,CrimePanel和ButtonPanel类,因此它们构成了在“输入”选项卡下看到的内容。有人告诉我在整个窗口中使用BorderLayout,并且DetailsPanel(左面板)和CrimePanel应该是GridLayout。

这是否意味着我应该:


将BorderLayout代码放在Panel中,将GridLayout代码放在CrimePanel和DetailsPanel中,或者
将BorderLayout代码放在Window中,将GridLayout代码放在Panel中?


alt text http://img137.imageshack.us/img137/6422/93381955.jpg

最佳答案

好的,您的描述有点令人困惑(或者我今天仍然太累或没有足够的咖啡因)。您从其他人“调用”面板类的想法也有些怪异。

但据我所知,您的第一个选择是正确的。

通常,您只是在运行时嵌套对象,因此看起来可能类似于以下内容:

InputPanel (has BorderLayout)
+--DetailsPanel (put in BorderLayout.WEST; has GridLayout)
|  +--nameLabel
|  +--nameTextField
|  +--...
+--CrimePanel (put in BorderLayout.NORTH; has GridLayout)
|  +--murderRadioButton
|  +--arsonRadioButton
|  +--...
+--ButtonPanel (put in BorderLayout.CENTER; has GridLayout)
   +--button


通常,您可以在相应类的构造函数中执行此操作:

public class InputPanel {
    public InputPanel() {
        this.setLayout(new BorderLayout());
        this.add(new DetailsPanel(), BorderLayout.WEST);
        this.add(new CrimePanel(), BorderLayout.NORTH);
        this.add(new ButtonPanel(), BorderLayout.CENTER);
    }
}

public class DetailsPanel {

    JLabel nameLabel;
    JTextField nameField;
    // ...

    public DetailsPanel() {
        this.setLayout(new GridLayout(5, 1));

        nameLabel = new JLabel("Name");
        nameField = new JTextField();
        // ...

        this.add(nameLabel);
        this.add(nameField);
        // ...
    }
}

...


但是,我在这里看到一个小问题:由于GridLayout不允许组件跨越多个列,因此您可能还需要将其他面板嵌套在DetailsPanel的左侧。您可以只使用一个具有所需功能的GridBagLayout,也可以在其中嵌套其他面板:

DetailsPanel (has BorderLayout)
+--panel1 (has GridLayout with 2 rows, 1 column; put in BorderLayout.NORTH)
|  +--nameLabel
|  +--nameField
+--panel2 (has GridLayout with 3 rows, 2 columns; put in BorderLayout.CENTER)
   +--dayField
   +--dayLabel
   +--monthField
   +--...

09-16 06:34