前言
最近几天在研究上拉加载啊,下拉刷新啊什么的。然而坑爹的事情总是那么多。在xamarin.forms中,list自带的,并没有上拉加载的这个属性(难道当初他们封装方法时,就不会想到数据多了会咋整吗?)抱怨归抱怨,问题总是要解决的。
既然没有,那就自己写一个喽~
思路
我的思路是这样的,
什么是上拉刷新,那是不是就是说,在当前页面,看到最后一个item的时候,我需要加载一些新的数据,那我是不是可以写一个,只要出现了最后一个item我们就去刷新最新数据呢?
public class InfiniteListView : ListView
{
public static readonly BindableProperty LoadMoreCommandProperty = BindableProperty.Create(nameof(LoadMoreCommand), typeof(ICommand), typeof(InfiniteListView));
public static readonly BindableProperty CanLoadMoreProperty = BindableProperty.Create(nameof(CanLoadMore), typeof(bool), typeof(InfiniteListView), true); public ICommand LoadMoreCommand
{
get { return (ICommand)GetValue(LoadMoreCommandProperty); }
set { SetValue(LoadMoreCommandProperty, value); }
} public bool CanLoadMore
{
get
{
return (bool)GetValue(CanLoadMoreProperty);
}
set
{
SetValue(CanLoadMoreProperty, value);
}
} public InfiniteListView()
{
ItemAppearing += InfiniteListView_ItemAppearing;
} private void InfiniteListView_ItemAppearing(object sender, ItemVisibilityEventArgs e)
{
if (!CanLoadMore)
{
return;
}
var items = ItemsSource as IList; if (items != null && e.Item == items[items.Count - ])
{
if (LoadMoreCommand != null && LoadMoreCommand.CanExecute(null))
LoadMoreCommand.Execute(null);
}
}
}
我们来继承listview,来实现它的ItemAppearing方法,然后再方法里一次次的判断有没有到最后一个item(说实话我不知道这对程序好不好,现在只是想到了实现),只要出现了最后一个item,就去执行绑定方法。
在页面绑定中,需要
<ContentPage
xmlns:common="clr-namespace:XXX.Common;assembly=XXX"
>
<common:InfiniteListView
CanLoadMore="{Binding IsLoadMore}"
LoadMoreCommand="{Binding LoadMoreLogCommand}"> </common:InfiniteListView>
So。。其实是不是很简单?
简单测试了一下,发现了一个问题。就是我的list数据,有分组,一个list里面可能会有多个list,那最后一个item岂不是永远都是最外层的数据了?我把方法简单的改了一下
private void GroupInfiniteListView_ItemAppearing(object sender, ItemVisibilityEventArgs e)
{
if (!CanLoadMore)
{
return;
}
if (ItemsSource == null)
{
return;
}
var items = ItemsSource as IList;
var itemSourceCouunt = items.Count;
var iindex = ;
IList lastData = ItemsSource as IList;
do
{
iindex++;
var lastItem = (items[items.Count - iindex]) as IList;
if (lastItem.Count > )
{
lastData = lastItem;
continue;
}
} while (itemSourceCouunt == iindex);
//foreach (var item in lastItem)
//{
// if (item is IList)
// {
// var data = item as IList;
if (lastData.Count <= )
{
return;
}
if (lastData != null && e.Item == lastData[lastData.Count - ])
{
if (LoadMoreCommand != null && LoadMoreCommand.CanExecute(null))
LoadMoreCommand.Execute(null);
// }
//}
//continue;
}
}
为了实现这个东西,其实费了我不少功夫(其实我真不知道xamarin.forms哪里省事省时间了)