限制访问JTextArea中的某些行?

时间:2015-06-05 16:54:36

标签: java text 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)

1 个答案:

答案 0 :(得分:1)

您可以将DocumentFilter用于JTextArea的文档。 Runnable工作示例,允许仅在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 doc:

我还推荐教程: