我的应用程序中有一个文本字段,当用户单击 JList 中的某个项目时,它将以编程方式启动(textField.setText())。 稍后用户将手动更改此值。 我一直坚持使用文档侦听器来检测此文本字段中的更改。 当以编程方式发生更改时,它必须不执行任何操作,但如果手动发生更改,则应将背景更改为红色。
如何检测textField是手动填写还是通过textField.setText()填写?
txtMode.getDocument().addDocumentListener(new DocumentListener() {
public void insertUpdate(DocumentEvent e) {
if (!mode.equals(e.getDocument()))
txtMode.setBackground(Color.red);
}
public void removeUpdate(DocumentEvent e) {
if (mode.equals(e.getDocument()))
txtMode.setBackground(Color.white);
}
public void changedUpdate(DocumentEvent e) {
//To change body of implemented methods
}
});
有两种方法
DocumentListener
之前删除 setText("...")
,如果完成则添加 DocumentListener
代码
public void attachDocumentListener(JComponent compo){
compo.addDocumentListener(someDocumentListener);
}
//similair void for remove....
boolean
值禁用“如果需要”,但您必须更改 DocumentListener
例如
txtMode.getDocument().addDocumentListener(new DocumentListener() {
public void insertUpdate(DocumentEvent e) {
if (!mode.equals(e.getDocument()))
if (!updateFromModel){
txtMode.setBackground(Color.red);
}
}
public void removeUpdate(DocumentEvent e) {
if (mode.equals(e.getDocument()))
if (!updateFromModel){
txtMode.setBackground(Color.white);
}
}
public void changedUpdate(DocumentEvent e) {
//To change body of implemented methods
}
});
请记住,所有事件侦听器都在 Swing 事件线程上执行。所以事情可能不会按照你想要的顺序进行。在这种情况下,任何解决方案都将是黑客式的,因为您无法完全控制 swing 线程以及谁在其上发布事件。
我想说的是:假设您选择使用一些标志来让您的听众知道这是一个程序化的更改。这是可能的情况(我假设您遵循通过
invokeLater
从 swing 线程进行任何 UI 更新的良好规则):
如果您在一次调用中完成所有这些操作,setText 将触发发布到事件队列末尾的更新事件,因此,在执行它们时,该标志已经为 false。
因此,您应该在一次
invokeLater
调用中执行步骤 1 和 2,甚至是 invokeAndWait
,然后使用 invokeLater
发布另一个事件以取消设置标志。并祈祷您的用户不要太快地在这两个调用之间进行一些更改,否则,它们也将被视为程序化更改。
这并不能解决用户 Hakanai 提到的无法检测到对 setText 的外部编程调用的问题。但是,如果仅能够防止从您自己的代码中进行的调用就足够了,那么一种解决方案可能是在您的类中创建一个特定的锁定对象,在调用 setText 的代码块期间对其进行同步,然后调用 Thread .holdsLock() 来检测您是否正在该块中执行,如果是则退出。
public class SomeGuiClass {
private final Object txtModeSetTextLock = new Object();
public SomeGuiClass() {
// ...
txtMode.getDocument().addDocumentListener(
new DocumentListener() {
public void insertUpdate(DocumentEvent e) {
if (!isProgrammaticUpdate()){
txtMode.setBackground(Color.red);
}
}
public void removeUpdate(DocumentEvent e) {
if (!isProgrammaticUpdate()){
txtMode.setBackground(Color.white);
}
}
public void changedUpdate(DocumentEvent e) {
}
private boolean isProgrammaticUpdate() {
return Thread.holdsLock(txtModeSetTextLock);
}
}
);
}
private void someOtherListenerInvocation() {
synchronized(txtModeSetTextLock) {
// ...
txtMode.setText("...");
}
}
}