如何在Java中设置文本字段的高度和宽度?

2022-09-05 00:37:38

我试图让我的JTextField填充宽度并为它设置一个高度,但仍然失败了。我尝试添加代码,但仍然失败。有没有办法让我的JTextField填充宽度并将高度设置为200或左右?setPreferredSize(new Dimension(320,200));


答案 1

你不应该玩弄高度。让文本字段根据使用的字体确定高度。

如果要控制文本字段的宽度,则可以使用

textField.setColumns(...);

让文本字段确定首选宽度。

或者,如果您希望宽度是父面板的整个宽度,则需要使用适当的布局。也许是边界布局的北部。

有关详细信息,请参阅布局管理器上的 Swing 教程。


答案 2

将高度设置为 200

将 设置为较大的变体 (150+ px)。如前所述,使用列控制宽度,并使用将遵循首选宽度和高度的布局管理器(或约束)。Font

Big Text Fields

import java.awt.*;
import javax.swing.*;
import javax.swing.border.EmptyBorder;

public class BigTextField {

    public static void main(String[] args) {
        Runnable r = new Runnable() {

            @Override
            public void run() {
                // the GUI as seen by the user (without frame)
                JPanel gui = new JPanel(new FlowLayout(5));
                gui.setBorder(new EmptyBorder(2, 3, 2, 3));

                // Create big text fields & add them to the GUI
                String s = "Hello!";
                JTextField tf1 = new JTextField(s, 1);
                Font bigFont = tf1.getFont().deriveFont(Font.PLAIN, 150f);
                tf1.setFont(bigFont);
                gui.add(tf1);

                JTextField tf2 = new JTextField(s, 2);
                tf2.setFont(bigFont);
                gui.add(tf2);

                JTextField tf3 = new JTextField(s, 3);
                tf3.setFont(bigFont);
                gui.add(tf3);

                gui.setBackground(Color.WHITE);

                JFrame f = new JFrame("Big Text Fields");
                f.add(gui);
                // Ensures JVM closes after frame(s) closed and
                // all non-daemon threads are finished
                f.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
                // See http://stackoverflow.com/a/7143398/418556 for demo.
                f.setLocationByPlatform(true);

                // ensures the frame is the minimum size it needs to be
                // in order display the components within it
                f.pack();
                // should be done last, to avoid flickering, moving,
                // resizing artifacts.
                f.setVisible(true);
            }
        };
        // Swing GUIs should be created and updated on the EDT
        // http://docs.oracle.com/javase/tutorial/uiswing/concurrency/initial.html
        SwingUtilities.invokeLater(r);
    }
}

推荐