如何使用Java将JButton放置在JFrame中的所需位置

2022-09-02 01:18:31

我想在JFrame中的特定坐标上放置一个Jbutton。我为JPanel设置了setBounds(我把它放在JFrame上),也为JButton设置了Bounds。但是,它们似乎无法按预期运行。

我的输出:

alt text

这是我的代码:

import java.awt.Color;
import javax.swing.JButton;
import javax.swing.JFrame;
import javax.swing.JPanel;

public class Control extends JFrame {

    // JPanel
    JPanel pnlButton = new JPanel();
    // Buttons
    JButton btnAddFlight = new JButton("Add Flight");

    public Control() {
        // FlightInfo setbounds
        btnAddFlight.setBounds(60, 400, 220, 30);

        // JPanel bounds
        pnlButton.setBounds(800, 800, 200, 100);

        // Adding to JFrame
        pnlButton.add(btnAddFlight);
        add(pnlButton);

        // JFrame properties
        setSize(400, 400);
        setBackground(Color.BLACK);
        setTitle("Air Traffic Control");
        setLocationRelativeTo(null);
        setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        setVisible(true);
    }

    public static void main(String[] args) {
        new Control();
    }
}

如何将坐标 (0, 0) 放置?JButton


答案 1

在添加组件之前,应调用以下行

pnlButton.setLayout(null);

上面会将您的内容面板设置为使用绝对布局。这意味着您始终必须使用方法显式设置组件的边界。setBounds

总的来说,我不建议使用绝对布局。


答案 2

在按钮上使用 child.setLocation(0, 0)parent.setLayout(null)。与其在 JFrame 上使用 setBounds(...) 来调整其大小,不如考虑只使用 setSize(...) 并让操作系统定位帧。

//JPanel
JPanel pnlButton = new JPanel();
//Buttons
JButton btnAddFlight = new JButton("Add Flight");

public Control() {

    //JFrame layout
    this.setLayout(null);

    //JPanel layout
    pnlButton.setLayout(null);

    //Adding to JFrame
    pnlButton.add(btnAddFlight);
    add(pnlButton);

    // postioning
    pnlButton.setLocation(0,0);

推荐