AutoCompleteTextView Backspace Проблема

Любой может определить, в чем проблема в моем коде.

Мой AutoCompleteTextView ведет себя странно, когда я нажимаю клавишу Backspace. Сначала, когда я печатаю в текстовом поле, отображаются правильные значения. Например, у меня есть список строк, а именно "Pallanos", "Palana", "Pandor", "Pasdi. >".

Когда я набираю Pal, отображаются Pallanos и Palana. Но когда я нажимаю backspace, раскрывающийся список предложений НЕ обновляется. У меня должен быть результат четыре, а именно строка выше.

Вот мой адаптер

class EmployeeAdapter extends ArrayAdapter<EmployeeDetails>{

Context context; 
int layoutResourceId;
ArrayList<EmployeeDetails> data;
ArrayList<EmployeeDetails> objects;
//EmployeeDetails data[] = null;

public EmployeeAdapter(Context c, int paramlayoutResourceId, ArrayList<EmployeeDetails> collection) { //EmployeeDetails[] collection) {
    super(c, paramlayoutResourceId, collection);
    this.layoutResourceId = paramlayoutResourceId;
    this.context = c;
    this.data = collection;
    this.objects = collection;
}

@Override
public View getView(int position, View convertView, ViewGroup parent) {
    View row = convertView;

    if(row == null) {
        LayoutInflater inflater = ((Activity)context).getLayoutInflater();
        row = inflater.inflate(layoutResourceId, null);
    }

    EmployeeDetails emp = data.get(position);
    Departments dept = new Departments(context);
    AccountTypes accType = new AccountTypes(context);

    ((TextView) row.findViewById(R.id.tvMainHeader)).setText(emp.getFirstName() + ", " + emp.getLastName());
    ((TextView) row.findViewById(R.id.tvSubHeader)).setText(dept.GetDepartmentName(emp.getDepartmentID()).toString() + " - " + accType.GetAccountTypeName(emp.getAccountTypeID()).toString());
    ((ImageView) row.findViewById(R.id.imgHeader)).setImageResource(R.drawable.id_card);

    return row;
}

@Override
public Filter getFilter() {
    //return nameFilter;

    Filter nameFilter = new Filter() {

        public String convertResultToString(Object resultValue) {
            String str = ((EmployeeDetails)(resultValue)).getLastName();
            return str;
        }

        @Override
        protected FilterResults performFiltering(CharSequence constraint) {
            ArrayList<EmployeeDetails> suggestions = new ArrayList<EmployeeDetails>();
            FilterResults filterresults = new FilterResults();

            if (constraint != null) {
                suggestions.clear();

                for (EmployeeDetails employee : objects) {
                    if (employee.getLastName().toLowerCase().startsWith(constraint.toString().toLowerCase())) {
                        suggestions.add(employee);
                    }
                }

                filterresults.values = suggestions;
                filterresults.count = suggestions.size();
            }

            return filterresults; 
        }

        @Override
        @SuppressWarnings("unchecked")
        protected void publishResults(CharSequence constraint, FilterResults results) {
            ArrayList<EmployeeDetails> filteredList = (ArrayList<EmployeeDetails>) results.values;

            if (filteredList != null && filteredList.size() > 0) {
                clear();
                for (EmployeeDetails employee : filteredList) {
                    add(employee);
                }
                notifyDataSetChanged();
            } else {
                notifyDataSetInvalidated();
            }
        }
    };

    return nameFilter;
} 
}

В приведенном ниже коде показано, как я использую адаптер в своем AutoCompleteTextView.

    EmployeeAdapter adapter = new EmployeeAdapter(this, R.layout.list_row, empFunction.GetAllEmployees());

    AutoCompleteTextView empAuto = (AutoCompleteTextView)findViewById(R.id.auto_Employee);
    empAuto.setThreshold(1);
    empAuto.setAdapter(adapter);

person klaydze    schedule 13.12.2012    source источник


Ответы (1)


Я нашел свое решение по моей проблеме. Но это немного медленно. Если кто-то может оптимизировать, не стесняйтесь опубликовать свой ответ. :)

Вместо того, чтобы приравнивать переменную object (this.objects = collection) внутри моего конструктора, я помещаю ее внутрь performFiltering. Идея заключалась в том, чтобы обновлять переменную objects каждый раз, когда срабатывает метод performFiltering.

Некоторые люди добавляют TextWatcher в TextView, чтобы обновить свой адаптер.

Ниже представлена ​​моя измененная функция perFormFiltering.

            protected FilterResults performFiltering(CharSequence constraint) {
            EmployeeDetails empFunction = new EmployeeDetails(context);
            ArrayList<EmployeeDetails> suggestions = new ArrayList<EmployeeDetails>();
            FilterResults filterresults = new FilterResults();

            if (constraint != null) {
                suggestions.clear();
                objects = empFunction.GetAllEmployees();
                for (EmployeeDetails employee : objects) {
                    if (employee.getLastName().toLowerCase().startsWith(constraint.toString().toLowerCase())) {
                        suggestions.add(employee);
                    }
                }

                filterresults.values = suggestions;
                filterresults.count = suggestions.size();
            }

            return filterresults; 
        }

Спасибо

person klaydze    schedule 13.12.2012