可以使用的DocumentFilter爲JTextArea中的文件。可運行的工作示例,允許僅在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文檔:
我還推薦了一些教程:
我建議容易的解決方案 - 命令行歷史可不可編輯的JTextArea,而當前命令可編輯的JTextArea/JTextField中。在我的項目中工作得很好 - 具有歷史的高級計算器。也就是說,除非你需要一行可編輯的下一個否,第三是的等。 – peenut
謝謝你的回答@peenut。我沒有使用JTextField輸入命令和JTextArea來顯示輸出,但我想改變它,但仍然感謝你! – Darawan