233

我希望在用户更改文本字段中的值后立即出现消息框。目前,我需要按回车键才能弹出消息框。我的代码有什么问题吗?

textField.addActionListener(new java.awt.event.ActionListener() {
    public void actionPerformed(java.awt.event.ActionEvent e) {

        if (Integer.parseInt(textField.getText())<=0){
            JOptionPane.showMessageDialog(null,
                    "Error: Please enter number bigger than 0", "Error Message",
                    JOptionPane.ERROR_MESSAGE);
        }       
    }
}

任何帮助,将不胜感激!

4

14 回答 14

396

将侦听器添加到为您自动创建的基础 Document 中。

// Listen for changes in the text
textField.getDocument().addDocumentListener(new DocumentListener() {
  public void changedUpdate(DocumentEvent e) {
    warn();
  }
  public void removeUpdate(DocumentEvent e) {
    warn();
  }
  public void insertUpdate(DocumentEvent e) {
    warn();
  }

  public void warn() {
     if (Integer.parseInt(textField.getText())<=0){
       JOptionPane.showMessageDialog(null,
          "Error: Please enter number bigger than 0", "Error Message",
          JOptionPane.ERROR_MESSAGE);
     }
  }
});
于 2010-10-17T12:31:53.083 回答
65

对此的通常答案是“使用 a DocumentListener”。但是,我总是觉得那个界面很麻烦。说实话,界面被过度设计了。它具有三种方法,用于文本的插入、删除和替换,而它只需要一种方法:替换。(插入可以看作是用一些文本替换没有文本,删除可以看作是用没有文本替换一些文本。)

通常您只想知道框中的文本何时发生变化,因此典型的DocumentListener实现是三个方法调用一个方法。

因此,我制作了以下实用方法,它可以让您使用更简单的ChangeListener而不是DocumentListener. (它使用 Java 8 的 lambda 语法,但如果需要,您可以将其调整为旧 Java。)

/**
 * Installs a listener to receive notification when the text of any
 * {@code JTextComponent} is changed. Internally, it installs a
 * {@link DocumentListener} on the text component's {@link Document},
 * and a {@link PropertyChangeListener} on the text component to detect
 * if the {@code Document} itself is replaced.
 * 
 * @param text any text component, such as a {@link JTextField}
 *        or {@link JTextArea}
 * @param changeListener a listener to receieve {@link ChangeEvent}s
 *        when the text is changed; the source object for the events
 *        will be the text component
 * @throws NullPointerException if either parameter is null
 */
public static void addChangeListener(JTextComponent text, ChangeListener changeListener) {
    Objects.requireNonNull(text);
    Objects.requireNonNull(changeListener);
    DocumentListener dl = new DocumentListener() {
        private int lastChange = 0, lastNotifiedChange = 0;

        @Override
        public void insertUpdate(DocumentEvent e) {
            changedUpdate(e);
        }

        @Override
        public void removeUpdate(DocumentEvent e) {
            changedUpdate(e);
        }

        @Override
        public void changedUpdate(DocumentEvent e) {
            lastChange++;
            SwingUtilities.invokeLater(() -> {
                if (lastNotifiedChange != lastChange) {
                    lastNotifiedChange = lastChange;
                    changeListener.stateChanged(new ChangeEvent(text));
                }
            });
        }
    };
    text.addPropertyChangeListener("document", (PropertyChangeEvent e) -> {
        Document d1 = (Document)e.getOldValue();
        Document d2 = (Document)e.getNewValue();
        if (d1 != null) d1.removeDocumentListener(dl);
        if (d2 != null) d2.addDocumentListener(dl);
        dl.changedUpdate(null);
    });
    Document d = text.getDocument();
    if (d != null) d.addDocumentListener(dl);
}

与直接向文档添加侦听器不同,这处理了(不常见的)您在文本组件上安装新文档对象的情况。此外,它还解决了Jean-Marc Astesana 的回答中提到的问题,文档有时会触发比它需要的更多的事件。

不管怎样,这个方法可以让你替换恼人的代码,看起来像这样:

someTextBox.getDocument().addDocumentListener(new DocumentListener() {
    @Override
    public void insertUpdate(DocumentEvent e) {
        doSomething();
    }

    @Override
    public void removeUpdate(DocumentEvent e) {
        doSomething();
    }

    @Override
    public void changedUpdate(DocumentEvent e) {
        doSomething();
    }
});

和:

addChangeListener(someTextBox, e -> doSomething());

代码发布到公共领域。玩得开心!

于 2014-11-28T13:53:17.610 回答
22

只需创建一个扩展 DocumentListener 并实现所有 DocumentListener 方法的接口:

@FunctionalInterface
public interface SimpleDocumentListener extends DocumentListener {
    void update(DocumentEvent e);

    @Override
    default void insertUpdate(DocumentEvent e) {
        update(e);
    }
    @Override
    default void removeUpdate(DocumentEvent e) {
        update(e);
    }
    @Override
    default void changedUpdate(DocumentEvent e) {
        update(e);
    }
}

接着:

jTextField.getDocument().addDocumentListener(new SimpleDocumentListener() {
    @Override
    public void update(DocumentEvent e) {
        // Your code here
    }
});

或者你甚至可以使用 lambda 表达式:

jTextField.getDocument().addDocumentListener((SimpleDocumentListener) e -> {
    // Your code here
});
于 2016-09-08T12:06:54.140 回答
16

请注意,当用户修改字段时,DocumentListener 有时可以接收两个事件。例如,如果用户选择了整个字段内容,然后按一个键,您将收到一个 removeUpdate(所有内容都被删除)和一个 insertUpdate。在你的情况下,我认为这不是问题,但一般来说,它是。不幸的是,如果不对 JTextField 进行子类化,似乎就无法跟踪 textField 的内容。这是提供“文本”属性的类的代码:

package net.yapbam.gui.widget;

import javax.swing.JTextField;
import javax.swing.text.AttributeSet;
import javax.swing.text.BadLocationException;
import javax.swing.text.PlainDocument;

/** A JTextField with a property that maps its text.
 * <br>I've found no way to track efficiently the modifications of the text of a JTextField ... so I developed this widget.
 * <br>DocumentListeners are intended to do it, unfortunately, when a text is replace in a field, the listener receive two events:<ol>
 * <li>One when the replaced text is removed.</li>
 * <li>One when the replacing text is inserted</li>
 * </ul>
 * The first event is ... simply absolutely misleading, it corresponds to a value that the text never had.
 * <br>Anoter problem with DocumentListener is that you can't modify the text into it (it throws IllegalStateException).
 * <br><br>Another way was to use KeyListeners ... but some key events are throw a long time (probably the key auto-repeat interval)
 * after the key was released. And others events (for example a click on an OK button) may occurs before the listener is informed of the change.
 * <br><br>This widget guarantees that no "ghost" property change is thrown !
 * @author Jean-Marc Astesana
 * <BR>License : GPL v3
 */

public class CoolJTextField extends JTextField {
    private static final long serialVersionUID = 1L;

    public static final String TEXT_PROPERTY = "text";

    public CoolJTextField() {
        this(0);
    }

    public CoolJTextField(int nbColumns) {
        super("", nbColumns);
        this.setDocument(new MyDocument());
    }

    @SuppressWarnings("serial")
    private class MyDocument extends PlainDocument {
        private boolean ignoreEvents = false;

        @Override
        public void replace(int offset, int length, String text, AttributeSet attrs) throws BadLocationException {
            String oldValue = CoolJTextField.this.getText();
            this.ignoreEvents = true;
            super.replace(offset, length, text, attrs);
            this.ignoreEvents = false;
            String newValue = CoolJTextField.this.getText();
            if (!oldValue.equals(newValue)) CoolJTextField.this.firePropertyChange(TEXT_PROPERTY, oldValue, newValue);
        }

        @Override
        public void remove(int offs, int len) throws BadLocationException {
            String oldValue = CoolJTextField.this.getText();
            super.remove(offs, len);
            String newValue = CoolJTextField.this.getText();
            if (!ignoreEvents && !oldValue.equals(newValue)) CoolJTextField.this.firePropertyChange(TEXT_PROPERTY, oldValue, newValue);
        }
    }
于 2012-01-02T13:23:02.337 回答
11

我知道这与一个非常老的问题有关,但是,它也给我带来了一些问题。正如kleopatra在上面的评论中回应的那样,我用JFormattedTextField. 但是,该解决方案需要更多的工作,但更整洁。

默认情况下,JFormattedTextField不会在字段中的每个文本更改后触发属性更改。的默认构造函数JFormattedTextField不创建格式化程序。

但是,要执行 OP 建议的操作,您需要使用格式化程序,该格式化程序将commitEdit()在每次有效编辑该字段后调用该方法。该commitEdit()方法是从我所看到的并且没有格式化程序的情况下触发属性更改的原因,默认情况下这是在焦点更改或按下回车键时触发的。

有关更多详细信息,请参阅http://docs.oracle.com/javase/tutorial/uiswing/components/formattedtextfield.html#value

创建一个默认格式化程序 ( DefaultFormatter) 对象,以JFormattedTextField通过其构造函数或 setter 方法传递给它。默认格式化程序的一种方法是,它将格式化程序设置为在每次更改文本时setCommitsOnValidEdit(boolean commit)触发该方法。commitEdit()然后可以使用 aPropertyChangeListenerpropertyChange()方法来获取它。

于 2013-05-22T14:54:42.570 回答
2

如果我们在使用文档侦听器时使用可运行方法 SwingUtilities.invokeLater() 有时会卡住并且需要时间来更新结果(根据我的实验)。取而代之的是,我们还可以使用 KeyReleased 事件作为此处提到的文本字段更改侦听器。

usernameTextField.addKeyListener(new KeyAdapter() {
    public void keyReleased(KeyEvent e) {
        JTextField textField = (JTextField) e.getSource();
        String text = textField.getText();
        textField.setText(text.toUpperCase());
    }
});
于 2019-03-01T12:45:42.577 回答
2
textBoxName.getDocument().addDocumentListener(new DocumentListener() {
   @Override
   public void insertUpdate(DocumentEvent e) {
       onChange();
   }

   @Override
   public void removeUpdate(DocumentEvent e) {
      onChange();
   }

   @Override
   public void changedUpdate(DocumentEvent e) {
      onChange();
   } 
});

但我不会将用户(可能是偶然)在他的键盘上触摸的任何内容解析为Integer. 您应该捕获任何Exception抛出的 s 并确保 sJTextField不为空。

于 2017-12-15T08:13:53.380 回答
2

一种优雅的方法是将侦听器添加到插入符号位置,因为每次输入/删除某些内容时它都会更改,然后只需将旧值与当前值进行比较。

String oldVal = ""; // empty string or default value
JTextField tf = new JTextField(oldVal);

tf.addCaretListener(e -> {
    String currentVal = login.getText();

    if(!currentVal.equals(oldVal)) {
        oldVal = currentVal;
        System.out.println("Change"); // do something
    }
});

(每次用户单击文本字段时也会触发此事件)。

于 2021-11-30T23:15:36.817 回答
1

这是 Codemwnci 的更新版本。他的代码很好,除了错误消息外,效果很好。为避免错误,您必须更改条件语句。

  // Listen for changes in the text
textField.getDocument().addDocumentListener(new DocumentListener() {
  public void changedUpdate(DocumentEvent e) {
    warn();
  }
  public void removeUpdate(DocumentEvent e) {
    warn();
  }
  public void insertUpdate(DocumentEvent e) {
    warn();
  }

  public void warn() {
     if (textField.getText().length()>0){
       JOptionPane.showMessageDialog(null,
          "Error: Please enter number bigger than 0", "Error Massage",
          JOptionPane.ERROR_MESSAGE);
     }
  }
});
于 2014-11-02T08:24:17.860 回答
0

使用 KeyListener(在任何键上触发)而不是 ActionListener(在输入时触发)

于 2014-08-04T02:03:25.763 回答
0

我是 WindowBuilder 的新手,事实上,几年后才回到 Java,但我实现了“一些东西”,然后我想我会查一下并遇到这个线程。

我正在对此进行测试,因此,基于对这一切的陌生,我确定我一定遗漏了一些东西。

这是我所做的,其中“runTxt”是一个文本框,“runName”是该类的数据成员:

public void focusGained(FocusEvent e) {
    if (e.getSource() == runTxt) {
        System.out.println("runTxt got focus");
        runTxt.selectAll();
    }
}

public void focusLost(FocusEvent e) {
    if (e.getSource() == runTxt) {
        System.out.println("runTxt lost focus");
        if(!runTxt.getText().equals(runName))runName= runTxt.getText();
        System.out.println("runText.getText()= " + runTxt.getText() + "; runName= " + runName);
    }
}

似乎比目前这里的要简单得多,并且似乎正在工作,但是,由于我正在写这篇文章,我很高兴听到任何被忽视的陷阱。用户可以在不进行更改的情况下进入和离开文本框是否存在问题?我认为你所做的只是一项不必要的任务。

于 2015-04-27T01:45:10.377 回答
0

您甚至可以使用“MouseExited”来控制。例子:

 private void jtSoMauMouseExited(java.awt.event.MouseEvent evt) {                                    
        // TODO add your handling code here:
        try {
            if (Integer.parseInt(jtSoMau.getText()) > 1) {
                //auto update field
                SoMau = Integer.parseInt(jtSoMau.getText());
                int result = SoMau / 5;

                jtSoBlockQuan.setText(String.valueOf(result));
            }
        } catch (Exception e) {

        }

    }   
于 2013-10-21T02:30:08.123 回答
0

这是@Boann 答案的 Kotlin 端口,这是一个很好的解决方案,对我来说效果很好。

import java.beans.*
import javax.swing.*
import javax.swing.event.*
import javax.swing.text.*

/**
 * Installs a listener to receive notification when the text of this
 * [JTextComponent] is changed. Internally, it installs a [DocumentListener] on the
 * text component's [Document], and a [PropertyChangeListener] on the text component
 * to detect if the `Document` itself is replaced.
 *
 * @param changeListener a listener to receive [ChangeEvent]s when the text is changed;
 * the source object for the events will be the text component
 */
fun JTextComponent.addChangeListener(changeListener: ChangeListener) {
    val dl: DocumentListener = object : DocumentListener {
        private var lastChange = 0
        private var lastNotifiedChange = 0
        override fun insertUpdate(e: DocumentEvent) = changedUpdate(e)
        override fun removeUpdate(e: DocumentEvent) = changedUpdate(e)
        override fun changedUpdate(e: DocumentEvent) {
            lastChange++
            SwingUtilities.invokeLater {
                if (lastNotifiedChange != lastChange) {
                    lastNotifiedChange = lastChange
                    changeListener.stateChanged(ChangeEvent(this))
                }
            }
        }
    }
    addPropertyChangeListener("document") { e: PropertyChangeEvent ->
        (e.oldValue as? Document)?.removeDocumentListener(dl)
        (e.newValue as? Document)?.addDocumentListener(dl)
        dl.changedUpdate(null)
    }
    document?.addDocumentListener(dl)
}

您可以在任何文本组件上使用它,如下所示:

myTextField.addChangeListener { event -> myEventHandler(event) }

像他的代码一样,也是公共领域。

于 2021-06-02T04:13:50.690 回答
0

文档过滤器?它赋予你操纵的能力。

[ http://www.java2s.com/Tutorial/Java/0240__Swing/FormatJTextFieldstexttouppercase.htm ]

对不起。J 正在使用 Jython(Java 中的 Python)——但易于理解

# python style
# upper chars [ text.upper() ]

class myComboBoxEditorDocumentFilter( DocumentFilter ):
def __init__(self,jtext):
    self._jtext = jtext

def insertString(self,FilterBypass_fb, offset, text, AttributeSet_attrs):
    txt = self._jtext.getText()
    print('DocumentFilter-insertString:',offset,text,'old:',txt)
    FilterBypass_fb.insertString(offset, text.upper(), AttributeSet_attrs)

def replace(self,FilterBypass_fb, offset, length, text, AttributeSet_attrs):
    txt = self._jtext.getText()
    print('DocumentFilter-replace:',offset, length, text,'old:',txt)
    FilterBypass_fb.replace(offset, length, text.upper(), AttributeSet_attrs)

def remove(self,FilterBypass_fb, offset, length):
    txt = self._jtext.getText()
    print('DocumentFilter-remove:',offset, length, 'old:',txt)
    FilterBypass_fb.remove(offset, length)

// (java style ~example for ComboBox-jTextField)
cb = new ComboBox();
cb.setEditable( true );
cbEditor = cb.getEditor();
cbEditorComp = cbEditor.getEditorComponent();
cbEditorComp.getDocument().setDocumentFilter(new myComboBoxEditorDocumentFilter(cbEditorComp));
于 2017-06-21T15:23:20.903 回答