我想在android中使用简单的MVP结构示例来刷新recyclelerview项目,而不是整个Recyclerview列表。
它只会刷新android的recyclerview中的项目。
答案 0 :(得分:4)
这是我经常想到的一个问题。有两种可能的方法:
ListChangeItem
发送到适配器。我将在下面详细介绍两者。在这两种情况下,您都需要计算当前显示的内容与新数据之间的差异。我有一个辅助类ListDiffHelper<T>
来进行这种比较:
public class ListDiffHelper<T> {
private List<T> oldList;
private List<T> newList;
private List<Integer> inserted = new ArrayList<>();
private List<Integer> removed = new ArrayList<>();
public List<Integer> getInserted() {return inserted;}
public List<Integer> getRemoved() {return removed;}
public ListDiffHelper(List<T> oldList, List<T> newList) {
this.oldList = oldList;
this.newList = newList;
checkForNull();
findInserted();
findRemoved();
}
private void checkForNull() {
if (oldList == null) oldList = Collections.emptyList();
if (newList == null) newList = Collections.emptyList();
}
private void findInserted() {
Set<T> newSet = new HashSet<>(newList);
newSet.removeAll(new HashSet<>(oldList));
for (T item : newSet) {
inserted.add(newList.indexOf(item));
}
Collections.sort(inserted, new Comparator<Integer>() {
@Override
public int compare(Integer lhs, Integer rhs) {
return lhs - rhs;
}
});
}
private void findRemoved() {
Set<T> oldSet = new HashSet<>(oldList);
oldSet.removeAll(new HashSet<>(newList));
for (T item : oldSet) {
removed.add(oldList.indexOf(item));
}
Collections.sort(inserted, new Comparator<Integer>() {
@Override
public int compare(Integer lhs, Integer rhs) {
return rhs - lhs;
}
});
}
}
为了使其正常工作,您需要确保Data类的equals()
方法以适当的方式比较事物。
适配器主管
在这种情况下,您的Presenter会在模型上调用getData()
(如果您正在使用Rx,则订阅它)并收到List<Data>
。然后,它通过setData(data)
方法将此List传递给视图,该方法又将列表提供给适配器。适配器中的方法类似于:
private void setData(List<Data> data) {
if (this.data == null || this.data.isEmpty() || data.isEmpty()) {
this.data = data;
adapter.notifyDataSetChanged();
return;
}
ListDiffHelper<Data> diff = new ListDiffHelper<>(this.data, data);
this.data = data;
for (Integer index : diff.getRemoved()) {
notifyItemRemoved(index);
}
for (Integer index : diff.getInserted()) {
notifyItemInserted(index);
}
}
在添加新项目之前首先删除项目非常重要,否则订单将无法正确维护。
模特负责人
另一种方法是使适配器保持笨重,并计算模型层中已更改的内容。然后,您需要一个包装类来将各个更改发送到View / Adapter。类似的东西:
public class ListChangeItem {
private static final int INSERTED = 0;
private static final int REMOVED = 1;
private int type;
private int position;
private Data data;
public ListChangeItem(int type, int position, Data data) {
this.type = type;
this.position = position;
this.data = data;
}
public int getType() {return type;}
public int getPosition() {return position;}
public Data getData() {return data;}
}
然后,您可以通过视图界面将这些列表传递给您的适配器。同样重要的是在插入之前执行删除操作以确保数据的顺序正确。