重複の可能性:
テキストフィールド内に入力するときに提案を一覧表示する方法
JavaSwingのJTextFieldで予測テキストを取得する方法はありますか?たとえば、ユーザーから都市の名前を取得したい場合は、都市を予測する必要があります。
重複の可能性:
テキストフィールド内に入力するときに提案を一覧表示する方法
JavaSwingのJTextFieldで予測テキストを取得する方法はありますか?たとえば、ユーザーから都市の名前を取得したい場合は、都市を予測する必要があります。
SwingX はオートコンプリート機能を提供します: http://swingx.java.net/
一部のプログラムでオートコンプリートを使用しています。残念ながら、インターネット上で情報を入手できる場所を見つけることができません。私が持っているコードを投稿しますが、私はこの AutoCompleteDocument クラスの「オリジナル」ライターではありません。インターネットで見つけた場合は、リンクを教えてください。クレジットが元の作家に与えられるようにします.
public class AutoCompleteDocument extends PlainDocument {
private final List<String> dictionary = new ArrayList<String>();
private final JTextComponent jTextField;
public AutoCompleteDocument(JTextComponent field, String[] aDictionary) {
jTextField = field;
dictionary.addAll(Arrays.asList(aDictionary));
}
public void addDictionaryEntry(String item) {
dictionary.add(item);
}
@Override
public void insertString(int offs, String str, AttributeSet a)
throws BadLocationException {
super.insertString(offs, str, a);
String word = autoComplete(getText(0, getLength()));
if (word != null) {
super.insertString(offs + str.length(), word, a);
jTextField.setCaretPosition(offs + str.length());
jTextField.moveCaretPosition(getLength());
}
}
public String autoComplete(String text) {
for (Iterator<String> i = dictionary.iterator(); i.hasNext();) {
String word = i.next();
if (word.startsWith(text)) {
return word.substring(text.length());
}
}
return null;
}
}
それを使用するには、そのようなもので初期化するだけです
AutoCompleteDocument autoCompleteDoc;
autoCompleteDoc = new AutoCompleteDocument(aJTextField, anArray);
aJTextField.setDocument(autoCompleteDoc);
それが役立つことを願っています
考えられる実装の 1 つを次に示します。
public class Predict
{
private final static String [] COLORS = new String [] {"red", "orange", "yellow", "green", "cyan", "blue", "violet"};
public static void main (String [] args)
{
final JTextField field = new JTextField ();
field.getDocument ().addDocumentListener (new DocumentListener()
{
@Override
public void removeUpdate (DocumentEvent e)
{
// Do nothing
}
@Override
public void insertUpdate (DocumentEvent e)
{
if (e.getOffset () + e.getLength () == e.getDocument ().getLength ())
SwingUtilities.invokeLater (new Runnable()
{
@Override
public void run ()
{
predict (field);
}
});
}
@Override
public void changedUpdate (DocumentEvent e)
{
// Do nothing
}
});
JFrame frame = new JFrame ("Auto complete");
Container contentPane = frame.getContentPane ();
contentPane.setLayout (new BorderLayout ());
contentPane.add (field, BorderLayout.CENTER);
frame.pack ();
frame.setDefaultCloseOperation (JFrame.EXIT_ON_CLOSE);
frame.setVisible (true);
}
private static void predict (JTextField field)
{
String text = field.getText ();
String prediction = null;
for (String color: COLORS)
{
if (color.startsWith (text) && !color.equals (text))
{
if (prediction != null) return;
prediction = color;
}
}
if (prediction != null)
{
field.setText (prediction);
field.setCaretPosition (text.length ());
field.select (text.length (), prediction.length ());
}
}
}