我使用 a来处理文档DocumentListener
中的任何更改。JTextPane
当用户键入我想删除内容JTextPane
并插入自定义文本时。无法更改文档中的文档DocumentListener
,而是在这里说一个解决方案:
java.lang.IllegalStateException while using Document Listener in TextArea, Java
,但我不明白,至少我不知道该怎么做在我的情况下?
问问题
5874 次
3 回答
12
DocumentListener
确实只适用于通知更改,绝不能用于修改文本字段/文档。
相反,使用DocumentFilter
在这里查看示例
供参考
您问题的根本原因DocumentListener
是在文档更新时收到通知。尝试修改文档(除了冒无限循环的风险)会使文档进入无效状态,因此出现异常
更新了一个例子
这是一个非常基本的例子......它不处理插入或删除,但我的测试已经删除工作而没有做任何事情......
public class TestHighlight {
public static void main(String[] args) {
new TestHighlight();
}
public TestHighlight() {
EventQueue.invokeLater(new Runnable() {
@Override
public void run() {
try {
UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName());
} catch (ClassNotFoundException | InstantiationException | IllegalAccessException | UnsupportedLookAndFeelException ex) {
}
JTextPane textPane = new JTextPane(new DefaultStyledDocument());
((AbstractDocument) textPane.getDocument()).setDocumentFilter(new HighlightDocumentFilter(textPane));
JFrame frame = new JFrame("Test");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.setLayout(new BorderLayout());
frame.add(new JScrollPane(textPane));
frame.pack();
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
});
}
public class HighlightDocumentFilter extends DocumentFilter {
private DefaultHighlightPainter highlightPainter = new DefaultHighlightPainter(Color.YELLOW);
private JTextPane textPane;
private SimpleAttributeSet background;
public HighlightDocumentFilter(JTextPane textPane) {
this.textPane = textPane;
background = new SimpleAttributeSet();
StyleConstants.setBackground(background, Color.RED);
}
@Override
public void insertString(FilterBypass fb, int offset, String text, AttributeSet attr) throws BadLocationException {
System.out.println("insert");
super.insertString(fb, offset, text, attr);
}
@Override
public void remove(FilterBypass fb, int offset, int length) throws BadLocationException {
System.out.println("remove");
super.remove(fb, offset, length);
}
@Override
public void replace(FilterBypass fb, int offset, int length, String text, AttributeSet attrs) throws BadLocationException {
String match = "test";
super.replace(fb, offset, length, text, attrs);
int startIndex = offset - match.length();
if (startIndex >= 0) {
String last = fb.getDocument().getText(startIndex, match.length()).trim();
System.out.println(last);
if (last.equalsIgnoreCase(match)) {
textPane.getHighlighter().addHighlight(startIndex, startIndex + match.length(), highlightPainter);
}
}
}
}
}
于 2013-02-06T11:13:57.807 回答
5
当用户键入我想删除 JTextPane 的内容并插入自定义文本时。
这不是DocumentListener的工作,基本上这个Listener旨在将事件从JTextComponent触发到另一个 JComponent,到 Swing GUI,在使用过的 Java 中实现方法
看看DocumentFilter ,这提供了在运行时更改、修改或更新自己的Document(JTextComponents的模型)所需的方法
于 2013-02-06T11:14:37.290 回答
-1
包装你调用的代码SwingUtilities.invokeLater()
于 2013-02-06T11:33:47.050 回答