限制对 JTextArea 中某些行的访问?

Restricting access to some lines in JTextArea?

我想创建一个 JTextArea,用户无法在其中擦除上一行。就像 Windows 中的命令提示符和 Linux 中的终端一样,您无法编辑之前的行。

这是我想出的办法,但似乎行不通,我只能想出一个原因,但似乎不止一个原因。

if(commandArea.getCaretPosition() < commandArea.getText().lastIndexOf("\n")){
        commandArea.setCaretPosition(commandArea.getText().lastIndexOf("\n"));
}

此代码块位于此方法中:

private void commandAreaKeyPressed(java.awt.event.KeyEvent evt)

您可以对 JTextArea 的文档使用 DocumentFilter。仅允许在 JTextArea 中编辑最后一行的可运行工作示例:

import java.awt.*;
import javax.swing.*;
import javax.swing.text.*;
import javax.swing.text.DocumentFilter.FilterBypass;

public class MainClass {

    public static void main(String[] args) {
        JFrame frame = new JFrame("text area test");
        JPanel panelContent = new JPanel(new BorderLayout());
        frame.setContentPane(panelContent);
        UIManager.getDefaults().put("TextArea.font", UIManager.getFont("TextField.font")); //let text area respect DPI
        panelContent.add(createSpecialTextArea(), BorderLayout.CENTER);
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.setSize(800, 600);
        frame.setLocationRelativeTo(null); //center screen
        frame.setVisible(true);
    }

    private static JTextArea createSpecialTextArea() {
        final JTextArea textArea = new JTextArea("first line\nsecond line\nthird line");
        ((AbstractDocument)textArea.getDocument()).setDocumentFilter(new DocumentFilter() {

            private boolean allowChange(int offset) {
                try {
                int offsetLastLine = textArea.getLineCount() == 0 ? 0 : textArea.getLineStartOffset(textArea.getLineCount() - 1);
                return offset >= offsetLastLine;
                } catch (BadLocationException ex) {
                    throw new RuntimeException(ex); //should never happen anyway
                }
            }

            @Override
            public void remove(FilterBypass fb, int offset, int length) throws BadLocationException {
                if (allowChange(offset)) {
                    super.remove(fb, offset, length);
                }
            }

            @Override
            public void replace(FilterBypass fb, int offset, int length, String text, AttributeSet attrs) throws BadLocationException {
                if (allowChange(offset)) {
                    super.replace(fb, offset, length, text, attrs);
                }
            }

            @Override
            public void insertString(FilterBypass fb, int offset, String string, AttributeSet attr) throws BadLocationException {
                if (allowChange(offset)) {
                    super.insertString(fb, offset, string, attr);
                }
            }



        });
        return textArea;
    }
}

它是如何工作的? JTextArea是一个文本控件,实际数据有Document。 Document允许监听变化(DocumentListener),部分文档允许设置DocumentFilter禁止变化。 PlainDocument 和 DefaultStyledDocument 都继承自 AbstractDocument,允许设置过滤器。

一定要阅读java 文档:

我还推荐教程: