1

我有一个包含名称和 AutoCompleteTextView 的列表。我需要 AutoCompleteTextView 来按用户输入的字符串过滤名称,但我不知道我做错了什么,因为 AutoCompleteTextView 不起作用。你能帮助我吗?

这是我的代码:

cursor = socioData.getAllSocios();
adapter = new SimpleCursorAdapter(
        this,
        android.R.layout.simple_dropdown_item_1line,
        cursor,
        new String[]{Socio.C_NOME},
        new int[]{android.R.id.text1}
        );

filterText = (AutoCompleteTextView)findViewById(R.id.search);
filterText.setThreshold(1);
filterText.setAdapter(adapter);
adapter.setCursorToStringConverter(new CursorToStringConverter() {
    @Override
    public String convertToString(Cursor cursor) {
        //return cursor.getString(1);
        final int colIndex = cursor.getColumnIndexOrThrow(Socio.C_NOME);
        return cursor.getString(colIndex);
    }
});

adapter.setFilterQueryProvider(new FilterQueryProvider() {
    @Override
    public Cursor runQuery(CharSequence constraint){
        return getContentResolver().query(Data.CONTENT_URI,
                Socio.ALL_COLUMNS,
                Socio.C_NOME + " like '%"+constraint+"%'",
                null,
                Socio.C_NOME +" ASC");
    }
});  

filterListener = new TextWatcher() {
    @Override
    public void onTextChanged(CharSequence s, int arg1, int arg2, int arg3) {
        if ("".equals(s))
            adapter.getFilter().filter(null);
        else
            adapter.getFilter().filter(s.toString());   
    }

    @Override
    public void beforeTextChanged(CharSequence arg0, int arg1, int arg2, int arg3) {}

    @Override
    public void afterTextChanged(Editable arg0) {}
};
4

1 回答 1

0

您似乎试图做太多事情......这里有一些简化:

  • 我看不到您在哪里使用 TextWatcher,但这不是必需的。事实上,它可能会阻止 AutoCompleteTextView 工作。所以你应该删除它。

  • 在您的 FilterQueryProvider 和 getAllSocios() 中,您应该只询问列_idSocio.C_NOME因为这些是您使用的唯一两列。

  • 只需使用setStringConversionColumn()而不是 CursorToStringConverter:

总之,你只需要:

cursor = socioData.getAllSocios();
adapter = new SimpleCursorAdapter(
        this,
        android.R.layout.simple_dropdown_item_1line,
        cursor,
        new String[]{Socio.C_NOME},
        new int[]{android.R.id.text1} );

adapter.setFilterQueryProvider(new FilterQueryProvider() {
    @Override
    public Cursor runQuery(CharSequence constraint){
        // Stop the FQP from looking for nothing
        if(constraint == null)
            return null;

        return getContentResolver().query(Data.CONTENT_URI,
            new String[] {"_id", Socio.C_NOME},
            Socio.C_NOME + " like ?", 
            "'%"+constraint+"%'",
            Socio.C_NOME);
    }
});
adapter.setStringConversionColumn(cursor.getColumnIndex(Socio.C_NOME));

filterText = (AutoCompleteTextView)findViewById(R.id.search);
filterText.setThreshold(1);
filterText.setAdapter(adapter);

希望有帮助!

于 2012-08-23T17:32:47.060 回答