簡単な質問です。
私はjTextfield、jButton、jLabelsを含むGUIをやっています。この 3 つのコンポーネントをグループ化して非表示にすることは可能ですか。jButtonをクリックすると、この3つのコンポーネントが表示されますか?
新しいコンポーネントを作成するためのボタンの同様の使用法ですが、この場合、jButton をクリックして非表示にしたり再表示したりしたいと考えています。
すべてのコンポーネントを JPanel に追加して、パネルの可視性を変更できます。これを行うときは、コンポーネントが表示されていないときにスペースを使用しないレイアウトを検討する必要があります。MigLayout を使用して hideMode 3 を設定できます。
グループ化されたコンポーネントを表示/非表示にする方法を示すコード例を次に示します。これは、他のJPanel
人が提案したように実装されています。はGroupedComponent
非表示にしてもサイズが保持されます。
import java.awt.Color;
import java.awt.Dimension;
import java.awt.FlowLayout;
import java.awt.GridLayout;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import javax.swing.JButton;
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JPanel;
import javax.swing.JTextField;
import javax.swing.SwingUtilities;
import javax.swing.border.CompoundBorder;
import javax.swing.border.EmptyBorder;
import javax.swing.border.LineBorder;
public class SimpleTest extends JFrame {
GroupedComponent test = new GroupedComponent("one", "two", "three");
public SimpleTest() {
super("GroupedComponent Example");
JPanel content = (JPanel)getContentPane();
content.setLayout(new FlowLayout(FlowLayout.CENTER, 10, 10));
final JButton hideButton = new JButton(test.getButtonText());
hideButton.setPreferredSize(new Dimension(100,hideButton.getPreferredSize().height));
hideButton.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent e) {
test.toggle();
hideButton.setText(test.getButtonText());
}
});
content.add(hideButton);
content.add(test);
}
public static void main(String[] argv) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
SimpleTest c = new SimpleTest();
c.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
c.pack();
c.setVisible(true);
}
});
}
class GroupedComponent extends JPanel {
boolean visible = true;
JTextField field;
JButton button;
JLabel label;
GroupedComponent(String fieldText, String buttonText, String labelText) {
super(new GridLayout(1, 3, 4, 4));
field = new JTextField(fieldText);
button = new JButton(buttonText);
label = new JLabel(labelText);
add(field);
add(button);
add(label);
setBorder(new CompoundBorder(new LineBorder(Color.lightGray), new EmptyBorder(4,4,4,4)));
}
void toggle() {
if(visible) {
visible = false;
field.setVisible(false);
button.setVisible(false);
label.setVisible(false);
} else {
visible = true;
field.setVisible(true);
button.setVisible(true);
label.setVisible(true);
}
}
String getButtonText() {
return visible ? "Hide" : "Show";
}
}
}