JTextFieldへの値変更リスナー


215

ユーザーがテキストフィールドの値を変更した直後にメッセージボックスを表示したいのですが。現在、メッセージボックスを表示するには、Enterキーを押す必要があります。コードに問題はありますか?

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);
        }       
    }
}

何か助けていただければ幸いです!

回答:


373

自動的に作成される基になる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);
     }
  }
});

警告/型キャストに適した形式。同じパターンは、2倍の金額を処理するのに役立ちます(売上高/価格が入力または表示されます)
Max West

それは正常に動作していますが、テキストフィールドにテキストを挿入すると、メソッドを呼び出したいというクエリがあります。それがどのように行われるかについて私はあまり考えていません..

別のテーブルセルをクリックしたときに、JTableが編集可能なJComboBoxからテキストボックスの更新を取得しないという問題がありました。ここでのinsertUpdate関数がそれを正しく機能させる唯一の方法でした。
winchella、2015年

14
「エラーマッサージ」
ungato 2017

51

これに対する通常の答えは「use a DocumentListener」です。ただし、そのインターフェースは常に扱いにくいものです。正直なところ、インターフェースは過度に設計されています。テキストの挿入、削除、および置換の3つのメソッドがあり、1つのメソッドのみが必要な場合:置換。(挿入は、テキストなしの一部のテキストの置換として表示でき、削除は、テキストなしの一部のテキストの置換として表示できます。)

通常、知りたいのは、ボックス内のテキストが変更されたときだけなので、一般的なDocumentListener実装では3つのメソッドが1つのメソッドを呼び出します。

したがって、私は次のユーティリティメソッドを作成しましChangeListenerDocumentListener。(Java 8のラムダ構文を使用しますが、必要に応じて古い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());

パブリックドメインにリリースされたコード。楽しんで!


5
同様のソリューション:他の3つのメソッドすべてから呼び出すabstract class DocumentChangeListener implements DocumentListener追加の抽象メソッドchange(DocumentEvent e)でを作成します。abstract *Adapterリスナーとほぼ同じロジックを使用しているので、私にはより明白に思えます。
geronimo

changedUpdateメソッドとしての+1 はinsertUpdateremoveUpdateそれを機能させるために、および内の呼び出しを介して明示的に呼び出す必要があります..
Kais

16

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
    }
});

またはラムダ式を使用することもできます:

jTextField.getDocument().addDocumentListener((SimpleDocumentListener) e -> {
    // Your code here
});

1
このソリューションでは、Java 8より前のすべてのバージョンのインターフェースではなく、抽象クラスが必要であることを忘れないでください
klaar

15

ユーザーがフィールドを変更すると、DocumentListenerが2つのイベントを受け取ることがあります。たとえば、ユーザーがフィールドコンテンツ全体を選択してからキーを押すと、removeUpdate(すべてのコンテンツは削除されます)とinsertUpdateを受け取ります。あなたの場合は問題ないと思いますが、一般的には問題です。残念ながら、JTextFieldをサブクラス化せずにtextFieldのコンテンツを追跡する方法はないようです。「text」プロパティを提供するクラスのコードは次のとおりです。

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);
        }
    }

3
Swingに、ドキュメントの変更をプロパティにマップするタイプのtextFieldがあります。これは、JFormattedTextFieldと呼ばれます:-)
kleopatra

11

これは本当に古い問題に関連していることはわかっていますが、私にもいくつかの問題が発生しました。上記のコメントでクレオパトラが答えたので、私は問題を解決しましたJFormattedTextField。ただし、このソリューションはもう少し作業が必要ですが、より簡潔です。

JFormattedTextFieldフィールド内のすべてのテキストが変更後のプロパティの変更デフォルトトリガによってません。デフォルトのコンストラクタJFormattedTextFieldフォーマッターを作成しません。

ただし、OPが提案したことを行うにcommitEdit()は、フィールドを有効に編集するたびにメソッドを呼び出すフォーマッターを使用する必要があります。のcommitEdit()この方法は、これはフォーカス変更または時に押されたキー入力ではデフォルトでトリガされ、私が見ることができるものからフォーマッタせずにプロパティ変更をトリガーするものです。

詳細については、http://docs.oracle.com/javase/tutorial/uiswing/components/formattedtextfield.html#valueを参照してください。

コンストラクターまたはセッターメソッドを介しDefaultFormatterてに渡されるデフォルトのフォーマッター()オブジェクトを作成しますJFormattedTextField。デフォルトのフォーマッターの1つのメソッドはですsetCommitsOnValidEdit(boolean commit)。これはcommitEdit()、テキストが変更されるたびにメソッドをトリガーするようにフォーマッターを設定します。これは、PropertyChangeListenerおよびpropertyChange()メソッドを使用して取得できます。


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();
   } 
});

しかし、ユーザーが(たぶん)キーボードで触れたものを解析してに変換することはしませんIntegerExceptionスローされたをキャッチし、JTextFieldが空でないことを確認してください。


2

ドキュメントリスナーアプリケーションの使用中にrunnableメソッド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());
    }
});

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);
     }
  }
});

テキストフィールドにlength = 0より長い文字列が入力されると、適応によりエラーメッセージダイアログが表示されます。つまり、基本的には空の文字列以外の文字列です。それは要求された解決策ではありません。
klaar 2017年

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) {

        }

    }   

6
実際にはそうではありません:テキストが変更されたときに要件が何かを実行しています -これ mouseEventsとは無関係です;-)
kleopatra

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);
    }
}

これまでのところよりもはるかに単純に見え、機能しているようですが、これを書いている最中なので、見落としがあった場合は聞いていただければ幸いです。ユーザーが変更せずにテキストボックスに出入りできるのは問題ですか?あなたがしたことはすべて、不必要な割り当てだと思います。


-1

ActionListener(Enterでトリガー)ではなくKeyListener(任意のキーでトリガー)を使用する


フィールドの値が適切にキャプチャされていないため、これは機能しませんfield.getText()。初期値が返されます。また、イベント(arg0.getKeyChar())はキーが押されたときにエラーチェックを返します。フィールドテキストと連結する必要があるかどうかを判断するために必要です。
16

@glendでは、keyTypedイベントの代わりにkeyReleasedイベントを使用できます。それは私にとってはうまくいき、完全な価値を得ました。
Kakumanu siva krishna

-1

DocumentFilter?それはあなたに操作する能力を与えます。

[ 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));
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.