将滚动添加到文本区域

2022-09-01 10:26:23

如何将滚动条添加到我的文本区域。我已经尝试使用此代码,但它不起作用。

middlePanel=new JPanel();
middlePanel.setBorder(new TitledBorder(new EtchedBorder(), "Display Area"));

// create the middle panel components
display = new JTextArea(16, 58);
display.setEditable(false); // set textArea non-editable
scroll = new JScrollPane(display);
scroll.setVerticalScrollBarPolicy(ScrollPaneConstants.VERTICAL_SCROLLBAR_ALWAYS);

//Add Textarea in to middle panel
middlePanel.add(scroll);
middlePanel.add(display);

答案 1

将JTextArea添加到JScrollPane之后:

scroll = new JScrollPane(display);

您无需像现在这样将其再次添加到其他容器中:

middlePanel.add(display);

只需删除最后一行代码,它就会正常工作。喜欢这个:

    middlePanel=new JPanel();
    middlePanel.setBorder(new TitledBorder(new EtchedBorder(), "Display Area"));

    // create the middle panel components

    display = new JTextArea(16, 58);
    display.setEditable(false); // set textArea non-editable
    scroll = new JScrollPane(display);
    scroll.setVerticalScrollBarPolicy(ScrollPaneConstants.VERTICAL_SCROLLBAR_ALWAYS);

    //Add Textarea in to middle panel
    middlePanel.add(scroll);

JScrollPane只是另一个容器,它在需要时在组件周围放置滚动条,并且还具有自己的布局。当你想将任何东西包装成一个滚动时,你需要做的就是把它传递到JScrollPane构造函数中:

new JScrollPane( myComponent ) 

或像这样设置视图:

JScrollPane pane = new JScrollPane ();
pane.getViewport ().setView ( myComponent );

附加:

这是一个完全工作的例子,因为你仍然没有让它工作:

public static void main ( String[] args )
{
    JPanel middlePanel = new JPanel ();
    middlePanel.setBorder ( new TitledBorder ( new EtchedBorder (), "Display Area" ) );

    // create the middle panel components

    JTextArea display = new JTextArea ( 16, 58 );
    display.setEditable ( false ); // set textArea non-editable
    JScrollPane scroll = new JScrollPane ( display );
    scroll.setVerticalScrollBarPolicy ( ScrollPaneConstants.VERTICAL_SCROLLBAR_ALWAYS );

    //Add Textarea in to middle panel
    middlePanel.add ( scroll );

    // My code
    JFrame frame = new JFrame ();
    frame.add ( middlePanel );
    frame.pack ();
    frame.setLocationRelativeTo ( null );
    frame.setVisible ( true );
}

以下是您得到的:enter image description here


答案 2

我天真的假设是滚动窗格的大小将自动确定...

唯一真正对我有用的解决方案是明确地看到JScrollPane的界限

import javax.swing.*;

public class MyFrame extends JFrame {

    public MyFrame()
    {
        setBounds(100, 100, 491, 310);
        getContentPane().setLayout(null);

        JTextArea textField = new JTextArea();
        textField.setEditable(false);

        String str = "";
        for (int i = 0; i < 50; ++i)
            str += "Some text\n";
        textField.setText(str);

        JScrollPane scroll = new JScrollPane(textField);
        scroll.setBounds(10, 11, 455, 249);                     // <-- THIS

        getContentPane().add(scroll);
        setLocationRelativeTo ( null );
    }
}

也许它会帮助一些未来的游客:)


推荐