这里是初级开发人员,所以请玩得开心:)
我的应用程序使用RecyclerView来显示从服务器返回的项目列表。适配器和刷新工作正常,但是,应用程序在更新/刷新列表时会暂时挂起/冻结。
我有信心它在击中NotifyDataSetChanged()时会冻结,因为这会重绘列表中的所有内容(列表中可能有数百个项目)。在网上查看后,似乎DiffUtil可能正是我所追求的,但是我找不到Xamarin.Android的任何文档或教程,只是基于Java的常规Android,而且我对这两种语言的理解都不足够。 / p>
如果有人能指出我正确的方向,那将不胜感激!
答案 0 :(得分:2)
从VideoLAN https://geoffreymetais.github.io/code/diffutil/阅读本文后,我能够在Xamarin.Android中使用DiffUtil。他解释得很好,他的项目中的示例非常有用。
下面是我的实现的“通用”版本。我建议您在实现自己的回调之前,仔细阅读每个override
调用所做的操作(请参阅上面的链接)。相信我,它会有所帮助!
回调:
using Android.Support.V7.Util;
using Newtonsoft.Json;
using System.Collections.Generic;
class YourCallback : DiffUtil.Callback
{
private List<YourItem> oldList;
private List<YourItem> newList;
public YourCallback(List<YourItem> oldList, List<YourItem> newList)
{
this.oldList = oldList;
this.newList = newList;
}
public override int OldListSize => oldList.Count;
public override int NewListSize => newList.Count;
public override bool AreItemsTheSame(int oldItemPosition, int newItemPosition)
{
return oldList[oldItemPosition].Id == newList[newItemPosition].Id;
}
public override bool AreContentsTheSame(int oldItemPosition, int newItemPosition)
{
// Using JsonConvert is an easy way to compare the full contents of a data model however, you can check individual components as well
return JsonConvert.SerializeObject(oldList[oldItemPosition]).Equals(JsonConvert.SerializeObject(newList[newItemPosition]));
}
}
执行以下操作,而不是调用NotifyDataSetChanged()
:
private List<YourItem> items = new List<YourItem>();
private void AddItems()
{
// Instead of adding new items straight to the main list, create a second list
List<YourItem> newItems = new List<YourItem>();
newItems.AddRange(items);
newItems.Add(newItem);
// Set detectMoves to true for smoother animations
DiffUtil.DiffResult result = DiffUtil.CalculateDiff(new YourCallback(items, newItems), true);
// Overwrite the old data
items.Clear();
items.AddRange(newItems);
// Despatch the updates to your RecyclerAdapter
result.DispatchUpdatesTo(yourRecyclerAdapter);
}
可以通过使用自定义有效负载等进一步优化它,但这已经超出了在适配器上调用NotifyDataSetChanged()
的地步。
我花了一些时间尝试在网上查找的东西:
DispatchUpdatesTo(yourRecyclerAdapter)
的方法不必在适配器中,它可以在活动或片段中答案 1 :(得分:0)
这对我来说也是很新的,而且我以前也看过。我刚刚尝试了一下,半小时后又开始工作。
所以其中一些来自这里:https://medium.com/@iammert/using-diffutil-in-android-recyclerview-bdca8e4fbb00
基本上说的是:
您的数据结构有2个不同的点(List
,IEnumerable
等),听起来您已经拥有了,所以很好。
有一个DiffUtil.Callback
类,您将在其中传递该类将彼此比较的旧数据和新数据。
具有将与您的实用程序类一起分发更新的方法。尽管帖子的内容有些错误,因为他没有更新旧数据。但是,如果您这样做了,那么它就必须像对我一样工作。
让我知道您是否有疑问或遇到问题。