PullToRefreshLayout 原文链接:http://blog.csdn.net/zhongkejingwang/article/details/38868463
在原 Demo 中找到了 ListView 的实现,但是缺少 RecylerView 的实现方式。 参照 PullableListView 的实现,发现只要实现 Pullable 接口,就能实现下拉刷新和上拉加载。
Pullable 接口如下:
public interface Pullable
{
/**
* 判断是否可以下拉,如果不需要下拉功能可以直接return false
*
* @return true如果可以下拉否则返回false
*/
boolean canPullDown();
/**
* 判断是否可以上拉,如果不需要上拉功能可以直接return false
*
* @return true如果可以上拉否则返回false
*/
boolean canPullUp();
}
实现很简单,canPullDown() 表示能否下拉,当返回 true 时表示此时可以下拉,事件传递到 PullToRefreshLayout 中去处理,就出现了下拉的效果。
那么现在要解决的问题就是 RecyclerView 在什么情况下能够下拉,参照 ListView 的做法:
getFirstVisiblePosition() == 0 // 1,第 0 个 ItemView 是第一个可见的位置
getChildAt(0).getTop() >= 0 // 2,第 0 个 ItemView 的 top >= 0
在 RecyclerView 中同样需要满足这两个条件,由于它本身并没有 getFirstVisiblePosition() 方法,该方法只能通过 LayoutManager 获取,实现代码如下:
if (getLayoutManager() instanceof LinearLayoutManager) {
int firstVisibleItem = ((LinearLayoutManager) getLayoutManager()).findFirstVisibleItemPosition();
if (firstVisibleItem == 0) {
return true;
}
}
PullableRecyclerView 代码如下:
public class PullableRecyclerView extends RecyclerView implements Pullable {
public PullableRecyclerView(Context context) {
super(context);
}
public PullableRecyclerView(Context context, AttributeSet attrs) {
super(context, attrs);
}
public PullableRecyclerView(Context context, AttributeSet attrs, int defStyleAttr) {
super(context, attrs, defStyleAttr);
}
@Override
public boolean canPullDown() {
if (getChildCount() == 0) {
return true;
} else if (getChildAt(0).getTop() >= 0) {
if (getLayoutManager() instanceof LinearLayoutManager) {
int firstVisibleItem = ((LinearLayoutManager) getLayoutManager()).findFirstVisibleItemPosition();
if (firstVisibleItem == 0) {
return true;
}
} else if (getLayoutManager() instanceof GridLayoutManager) {
int firstVisibleItem = ((GridLayoutManager) getLayoutManager()).findFirstVisibleItemPosition();
if (firstVisibleItem == 0) {
return true;
}
}
}
return false;
}
@Override
public boolean canPullUp() {
return false;
}
}