java awt中只显示一个按钮

问题描述 投票:-3回答:3

我正在尝试创建一个带有多个按钮的显示器。但是,只显示一个按钮。为什么会这样?它与布局管理器有关吗?我哪里做错了?

我的代码:

import java.awt.*;
class ButtonDemo extends Frame 
{
    Button[] b;Frame frame;
    ButtonDemo()
    {
        int i=0;
        b=new Button[12];
        frame=new Frame();
        frame.setLayout(new BorderLayout());
        for (i=0;i<12;i++)
        {
            b[i] = new Button("Hello"+i);frame.add(b[i]);
        }
        frame.add(new Button("Hello"));
        frame.add(new Button("polo"));
        frame.pack();
        frame.setVisible(true);

    }

    public static void main(String args[])
    {
        ButtonDemo bd = new ButtonDemo();
    }
}
java button awt frame layout-manager
3个回答
3
投票

这是BorderLayout的预期行为。

BorderLayout只允许单个组件驻留在其5个可用位置中的每个位置。

您将两个按钮添加到同一位置,因此仅显示最后一个按钮。

尝试...

  • BorderLayout.NORTHBorderLayout.SOUTH位置添加一个按钮
  • 使用不同的布局管理器

看看A Visual Guide to Layout ManagersLaying Out Components Within a Container了解更多详情......


1
投票

MadProgrammer说,这是因为BorderLayout只是声明另一个布局,它应该工作:

import java.awt.*;
class ButtonDemo extends Frame 
{
    Button[] b;Frame frame;
    ButtonDemo()
    {
        int i=0;
        b=new Button[12];
        frame=new Frame();
        frame.setLayout(new BorderLayout());
        for (i=0;i<12;i++)
        {
            b[i] = new Button("Hello"+i);frame.add(b[i]);
        }
        frame.add(new Button("Hello"));
        frame.add(new Button("polo"));
        setLayout(new FlowLayout());
        frame.pack();
        frame.setVisible(true);

    }

    public static void main(String args[])
    {
        ButtonDemo bd = new ButtonDemo();
    }
}

0
投票

首先,建议不要将组件添加到框架,而是添加到它的Container。最简单的方法是将JPanel添加到框架的Container,然后添加到此JPanel的任何后续组件。

例如

    JFrame customFrame = new JFrame();
    JPanel customPanel = new JPanel();
    customPanel.setLayout(new BorderLayout());
    customFrame.getContentPane().add(customPanel);
    //add your buttons to customPanel

其次你已经制作了一个自定义类ButtonDemo,它扩展了Frame,那为什么你再次在其中创建一个框架呢?在你的情况下你可以直接说

setLayout(new BorderLayout()); // equivalent to this.setLayout(new BorderLayout());
 add(new Button("polo"));

而不是创建一个单独的框架并向其添加组件/布局。

您正在将框架的布局设置为BorderLayout,但不使用其任何功能。

frame.setLayout(new BorderLayout());

如果您希望按钮位于您的欲望位置(例如NORTH),您必须指定

frame.add(new Button("Hello"),BorderLayout.NORTH);

再次,如果你想在NORTH位置有多个按钮,那么使用带有BoxLayout的面板(水平或垂直,无论你的要求是什么),然后将按钮添加到它。

© www.soinside.com 2019 - 2024. All rights reserved.