我正在尝试将JTextArea插入到JScrollPanel中,我希望它的行为类似于Microsoft Word,其中您有两个空侧,中间有textArea,在滚动面板下方的代码中似乎没有随着您插入更多文本而增长,这两个空边不存在。我究竟做错了什么?

import java.awt.BorderLayout;
import java.awt.Color;
import javax.swing.*;
import java.awt.Dimension;

public class WorkArea extends JScrollPane{
    public WorkArea(){
        /* Scroll Panel settings*/
        setBackground(new Color(60,60,60));
        setVerticalScrollBarPolicy(ScrollPaneConstants.VERTICAL_SCROLLBAR_ALWAYS);
        setHorizontalScrollBarPolicy(ScrollPaneConstants.HORIZONTAL_SCROLLBAR_ALWAYS);
        getViewport().setOpaque(false);
        setBorder(null);

        /* Text Area */
        JTextArea textArea = new JTextArea("Hello World!");
        textArea.setLineWrap(true);
        textArea.setPreferredSize(new Dimension(400, 400));

        /* Adding the textarea to the scrollPanel */
        setViewportView(textArea);
    }
}

最佳答案

像这样吗



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

class TextAreaInScrollPane {

    JPanel gui = new JPanel(new BorderLayout());

    TextAreaInScrollPane() {
        // adjust columns/rows for different size
        JTextArea ta = new JTextArea(10,20);
        ta.setLineWrap(true);
        ta.setWrapStyleWord(true);  // nicer
        JScrollPane jsp = new JScrollPane(
                ta,
                ScrollPaneConstants.VERTICAL_SCROLLBAR_ALWAYS,
                ScrollPaneConstants.HORIZONTAL_SCROLLBAR_NEVER);
        gui.add(jsp);

        // this is purely to show the bounds of the gui panel
        gui.setBackground(Color.RED);
        // adjust to need
        gui.setBorder(new EmptyBorder(5, 15, 15, 5));
    }

    public JComponent getGUI() {
        return gui;
    }

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

            @Override
            public void run() {
                TextAreaInScrollPane taisp = new TextAreaInScrollPane();

                JOptionPane.showMessageDialog(null, taisp.getGUI());
            }
        };
        // Swing GUIs should be created and updated on the EDT
        // http://docs.oracle.com/javase/tutorial/uiswing/concurrency
        SwingUtilities.invokeLater(r);
    }
}


提示


没有真正的理由在这里扩展JScrollPane。只需使用一个实例。
请参阅Should I avoid the use of set(Preferred|Maximum|Minimum)Size methods in Java Swing?(是)。
为了尽快获得更好的帮助,请发布MCTaRE(最小完整测试和可读示例)。以上是MCTaRE的示例。可以将其复制/粘贴到IDE或编辑器中,进行编译并按原样运行。
ScrollPaneConstants.HORIZONTAL_SCROLLBAR_NEVER更好,因为我们已将JTextArea设置为自动换行。
另请参见MCTaRE中的注释以获取更多提示。

关于java - 扩展JScrollPane以在内部具有文本区域,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/22569995/

10-10 17:47