Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

RecyclerView generic adapter with DataBinding

I have created generic adapter for RecyclerView by using DataBinding. Here is small code snippet

public class RecyclerAdapter<T, VM extends ViewDataBinding> extends RecyclerView.Adapter<RecyclerAdapter.RecyclerViewHolder> {
private final Context context;
private ArrayList<T> items;
private int layoutId;
private RecyclerCallback<VM, T> bindingInterface;

public RecyclerAdapter(Context context, ArrayList<T> items, int layoutId, RecyclerCallback<VM, T> bindingInterface) {
    this.items = items;
    this.context = context;
    this.layoutId = layoutId;
    this.bindingInterface = bindingInterface;
}

public class RecyclerViewHolder extends RecyclerView.ViewHolder {

    VM binding;

    public RecyclerViewHolder(View view) {
        super(view);
        binding = DataBindingUtil.bind(view);
    }

    public void bindData(T model) {
        bindingInterface.bindData(binding, model);
    }

}

@Override
public RecyclerViewHolder onCreateViewHolder(ViewGroup parent,
                                             int viewType) {
    View v = LayoutInflater.from(parent.getContext())
            .inflate(layoutId, parent, false);
    return new RecyclerViewHolder(v);
}

@Override
public void onBindViewHolder(RecyclerAdapter.RecyclerViewHolder holder, int position) {
    T item = items.get(position);
    holder.bindData(item);
}

@Override
public int getItemCount() {
    if (items == null) {
        return 0;
    }
    return items.size();
}
}

You can find full code in Github repo : Recyclerview-Generic-Adapter

The problem i am facing is after using generic adapter RecyclerView loading time increase and for a second it shows design time layout and than loads original data.

like image 415
Ravi Avatar asked Nov 14 '16 11:11

Ravi


People also ask

Should I pass ViewModel to adapter?

Warning: It's bad practice to pass the ViewModel into the RecyclerView adapter because that tightly couples the adapter with the ViewModel class. Note: Another common pattern is for the RecyclerView adapter to have a Callback interface for user actions.


1 Answers

The piece you're missing is the binding.executePendingBindings() in bindData:

public void bindData(T model) {
    bindingInterface.bindData(binding, model);
    binding.executePendingBindings();
}
like image 75
George Mount Avatar answered Nov 08 '22 10:11

George Mount