Выделите все выбранные элементы в расширяемом списке

#android #expandablelistview #highlight #items

#Android #расширяемый список #выделить #Товары

Вопрос:

я пытаюсь выделить один или несколько элементов в расширяемом списке. я нашел много решений, но ничто не могло мне помочь. Я надеюсь, что кто-нибудь может мне помочь. У меня есть база данных с коктейлями. В приложении вы можете создать новый коктейль. Ингредиенты коктейля должны быть выбраны пользователем в расширяемом списке. Я могу выделить только один элемент одновременно. Но для лучшего взаимодействия с пользователем важно, чтобы пользователь мог выбрать более одного элемента. Если у него выбраны все ингредиенты, он может сохранить свой выбор, и действие закроется. Если он забыл ингредиент, чтобы он мог начать действие снова, и он увидит все выделенные элементы, которые он только что выбрал, и выберите забытые элементы.

Надеюсь, мой английский не так уж плох, и вы сможете понять, что я имею в виду, и помочь мне.

Вот действие, которое начнет выбирать ингредиенты для коктейля:

 public class SelectIngredientByCategory extends AppCompatActivity {
private ExpandableListView ingredients;
private ExpandableListAdapter listAdapter;
private List<String> listDataHeader;
private HashMap<String, List<String>> listDataChild;
private DBConnection db;

@Override
protected void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState);
    setContentView(R.layout.activity_select_ingredient_by_category);

    db = new DBConnection(getApplication());

   /* ... */

    ingredients = (ExpandableListView) findViewById(R.id.elvIngredientsByCategory);
    prepareListData();
    listAdapter = new ExpandableListAdapter(getApplication(), listDataHeader, listDataChild);

    ingredients.setAdapter(listAdapter);
    ingredients.setOnChildClickListener(new ExpandableListView.OnChildClickListener() {
        @Override
        public boolean onChildClick(ExpandableListView parent, View v, int groupPosition, int childPosition, long id) {
            String ingredientName = (String) listAdapter.getChild(groupPosition, childPosition);

            /* ... */

           /* 
           * if item is selected
           * mark item blue
           * if not
           * mark item red
           */

            return false;
        }
    });
}

public void prepareListData() {
    listDataHeader = new ArrayList<String>(); //category
    listDataChild = new HashMap<String, List<String>>(); //ingredient

    listDataHeader = db.getAllCategoryIngredientsName();

    List<String> tmp;

    for (int i = 0; i < listDataHeader.size(); i  ) { 
        tmp = db.getAllIngredientByCategory(listDataHeader.get(i));
        listDataChild.put(listDataHeader.get(i), tmp);
    }
}

/* ... */   
  

}

Это мой адаптер:

 public class ExpandableListAdapter extends BaseExpandableListAdapter {

private Context _context;
private List<String> category;
private HashMap<String, List<String>> ingredient;

public ExpandableListAdapter(Context context, List<String> category,
                             HashMap<String, List<String>> ingredient) {
    this._context = context;
    this.category = category;
    this.ingredient = ingredient;
}

@Override
public Object getChild(int groupPosition, int childPosititon) {
    return this.ingredient.get(this.category.get(groupPosition))
            .get(childPosititon);
}

@Override
public long getChildId(int groupPosition, int childPosition) {
    return childPosition;
}

@Override
public View getChildView(final int groupPosition, final int childPosition,
                         boolean isLastChild, View convertView, ViewGroup parent) {

    if (convertView == null) {
        LayoutInflater infalInflater = (LayoutInflater) this._context
                .getSystemService(Context.LAYOUT_INFLATER_SERVICE);
        convertView = infalInflater.inflate(R.layout.exp_list_item, null);
    }

    final String childText = (String) getChild(groupPosition, childPosition);

    TextView child = (TextView) convertView
            .findViewById(R.id.lblListChild);
    child.setText(childText);

    return convertView;
}

@Override
public int getChildrenCount(int groupPosition) {
    return this.ingredient.get(this.category.get(groupPosition))
            .size();
}

@Override
public Object getGroup(int groupPosition) {
    return this.category.get(groupPosition);
}

@Override
public int getGroupCount() {
    return this.category.size();
}

@Override
public long getGroupId(int groupPosition) {
    return groupPosition;
}

@Override
public View getGroupView(final int groupPosition, boolean isExpanded,
                         View convertView, ViewGroup parent) {
    if (convertView == null) {
        LayoutInflater infalInflater = (LayoutInflater) this._context
                .getSystemService(Context.LAYOUT_INFLATER_SERVICE);
        convertView = infalInflater.inflate(R.layout.exp_list_group, null);
    }

    String headerTitle = (String) getGroup(groupPosition);

    final TextView lblListHeader = (TextView) convertView
            .findViewById(R.id.lblListHeader);
    lblListHeader.setTypeface(null, Typeface.BOLD);
    lblListHeader.setText(headerTitle);

    return convertView;
}

@Override
public boolean hasStableIds() {
    return false;
}

@Override
public boolean isChildSelectable(int groupPosition, int childPosition) {
    return true;
}
  

}

И здесь xml-файлы:

 <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:paddingBottom="@dimen/activity_vertical_margin"
android:paddingLeft="@dimen/activity_horizontal_margin"
android:paddingRight="@dimen/activity_horizontal_margin"
android:paddingTop="@dimen/activity_vertical_margin"
tools:context=".Ingredient.SelectIngredientByCategory"
android:orientation="vertical">

<ExpandableListView
    android:id="@ id/elvIngredientsByCategory"
    android:layout_width="wrap_content"
    android:layout_height="wrap_content"
    android:divider="#b5b5b5"
    android:dividerHeight="1dp"
    android:padding="1dp"
    android:choiceMode="multipleChoice"/>
  

 <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:orientation="vertical" 
android:layout_width="match_parent"
android:layout_height="match_parent">

<TextView
    android:id="@ id/lblListHeader"
    android:layout_width="wrap_content"
    android:layout_height="wrap_content"
    android:textSize="17dp"
    android:textColor="#000000"/>

</LinearLayout>

    <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:orientation="vertical" android:layout_width="match_parent"
android:layout_height="match_parent">

<TextView
    android:id="@ id/lblListChild"
    android:layout_width="wrap_content"
    android:layout_height="wrap_content"
    android:textSize="17dp"/>

</LinearLayout>
  

РЕДАКТИРОВАТЬ: я нашел решение своей проблемы. Спасибо за помощь. 🙂

Ответ №1:

вы можете установить цвет фона для выбранного дочернего представления

 v.setBackgroundColor(Color.parseColor("#4482e5"));
  

Комментарии:

1. Спасибо за ваш ответ. Но что будет, если пользователь выберет неправильный ингредиент? Я пробовал этот способ, но я не смог снова изменить цвет на стандартный цвет. Я пробовал это с помощью setSelected, но это не работает. Я мог выделить только один или несколько элементов. Но отмена выбора не работает… Есть идеи, как я могу это сделать?