我尝试像这样编写GUI。每次创建新按钮并将其放置在特定位置时单击按钮时,但在jscrollpane中添加一些按钮后,滚动条未激活,因此我无法看到所有创建的按钮。
我的代码在这里:
import javax.swing.*;
import java.awt.*;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
public class Test{
private JFrame frame;
private JPanel panel1,panel2;
private JScrollPane pane;
private JButton button;
int i = 1, y = 10;
public Test()
{
panel2 = new JPanel(null);
panel2.setBounds(0,0,280,300);
button = new JButton("Add Button");
button.setBounds(90,10,120,30);
pane = new JScrollPane();
pane.setBounds(10,50,280,300);
panel1 = new JPanel(null);
panel1.setPreferredSize(new Dimension(300,400));
panel1.setBackground(Color.WHITE);
frame = new JFrame("Test");
frame.setVisible(true);
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.add(panel1);
frame.pack();
panel1.add(pane);
panel1.add(button);
pane.add(panel2);
button.addActionListener(new ActionListener() {
@Override
public void actionPerformed(ActionEvent e) {
panel2.add(new JButton("Button "+i)).setBounds(80,y,120,30);
i += 1;
y += 35;
}
});
}
public static void main(String[] args) {
new Test();
}
}
不要使用空布局。不要使用 setBounds((。
仅当面板的首选大小大于滚动窗格的大小时,滚动条才会自动显示。
布局经理的工作是:
- 设置组件的位置
- 设置组件的大小
- 计算面板的首选尺寸。
因此,解决方案是在面板上使用适当的布局管理器。
例如,您可以使用BoxLayout:
//panel2 = new JPanel(null);
panel2 = new JPanel();
panel2.setLayout( new BoxLayout(panel2, BoxLayout.Y_AXIS) );
然后,当您将组件添加到可见框架时,您需要重新验证((面板以调用布局管理器:
//panel2.add(new JButton("Button "+i)).setBounds(80,y,120,30);
panel2.add(new JButton("Button "+i));
panel2.revalidate();
不需要面板 1。只需将组件添加到框架中:
//panel1.add(pane);
//panel1.add(button);
frame.add(button, BorderLayout.PAGE_START);
frame.add(pane, BorderLayout.CENTER);
但还有其他问题:
pane = new JScrollPane();
您实际上需要将面板添加到滚动窗格中。所以代码应该是:
pane = new JScrollPane(panel2);
由于组件只能有一个父组件,因此您需要删除:
pane.add(panel2);
由于面板 2 已添加到滚动窗格中。
frame.setVisible(true);
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.add(panel1);
frame.pack();
上述逻辑是错误的。
你应该只调用 pack(( 和 setVisible( true ( 在所有组件都添加到框架之后。
所以发布的大部分代码都是错误的。
首先阅读布局管理器上的 Swing turtorial 中的部分。下载工作演示代码并了解如何更好地构建代码。修改特定示例的代码。