之前获取联系人时,采用的是自定义一个ContentProvider,最近发现在android 3.0的时候引入了CursorLoader这个概念,通过getLoaderManager().initLoader()初始化,实现LoaderCallbacks回调,就很方便获取到联系人信息。
1:问题
实现LoaderCallbacks的回调即:
//在这里创建CursorLoader并返回
public Loader<Cursor> onCreateLoader(int id, Bundle args) ;
//在这个回调中实现数据展示
public void onLoadFinished(Loader<Cursor> loader, Cursor data);
//当之前创建的CursorLoader被重置,并且数据不可用的时候会调用
public void onLoaderReset(Loader<Cursor> loader) ;
但是这里我们要讲的是如何在onLoadFinished()方法中从cursor参数中获取数据,并且展示在RecyclerView中。
2:分析
当我们使用ListView 的时候,如果数据源来自数据库,经常会使用到 SimpleCursorAdapter这个类。这个类继承了 ResourceCursorAdapter。ResourceCursorAdapter继承自CursorAdapter。既然这样,那我们能不能写一个自定义的CustomCursorAdapter 用来实现在RecyclerView 中展示数据呢?事实上是可以的。
这里我们考虑到兼容问题,因此采用v4包下的CursorAdapter:
android.support.v4.widget.CursorAdapter
(1)构造方法
当我们查看该类的构造函数时,我们会看到以下注释:
@Deprecated
public CursorAdapter(Context context, Cursor c) {
init(context, c, FLAG_AUTO_REQUERY);
}
对了,正如你所发现,这个方法已经被废弃了,因为当我们通过这个函数用来创建CursorAdapter时,实际上传入了一个叫做"FLAG_AUTO_REQUERY"的整形flag,这个参数意味着,将会在application's UI thread 中查询数据。这当然是万万不能的。
因此我们不得不继续看下去
public CursorAdapter(Context context, Cursor c, boolean autoRequery) {
init(context, c, autoRequery ? FLAG_AUTO_REQUERY : FLAG_REGISTER_CONTENT_OBSERVER);
}
public CursorAdapter(Context context, Cursor c, int flags) {
init(context, c, flags);
}
这时我们发现,其实在官方推荐的两个构造函数中,其实都是调用了这个函数
//这个函数主要是根据调用者传入的flag来判断,是否应该启用数据观察者,是否在主线程中查询
void init(Context context, Cursor c, int flags)
我们当然不能在主线程中查询数据,因此这个传入的flag,应该是:
/**
* If set the adapter will register a content observer on the cursor and will call
* {@link #onContentChanged()} when a notification comes in. Be careful when
* using this flag: you will need to unset the current Cursor from the adapter
* to avoid leaks due to its registered observers. This flag is not needed
* when using a CursorAdapter with a
* {@link android.content.CursorLoader}.
*/
public static final int FLAG_REGISTER_CONTENT_OBSERVER = 0x02;
(2):重写的方法
1:由于CursorAdapter 是为ListView服务,因此继承了BaseAdapter。但是我们是要自定义一个为RecyclerView 服务的adapter,因此在重写的方法中需要格外注意。
@Override
public boolean hasStableIds() {
return true;
}
由于在RecyclerView.Adapter 中hasStableIds()已经不能被重写,因此这里应该在init()的最后通过set函数给予更改:
setHasStableIds(true);
2:在BaseAdapter中,展示view,需要通过getview方法返回。由于在RecyclerView.Adapter 中不再提供。因此我们需要额外添加一个
@Override
public void onBindViewHolder(VH holder, int position) {
if (!mDataValid) {
throw new IllegalStateException("this should only be called when the cursor is valid");
}
if (!mCursor.moveToPosition(position)) {
throw new IllegalStateException("couldn't move cursor to position " + position);
}
//虚函数,需要调用者实现
onBindViewHolder(holder, mCursor);
}
3:最后注意一点就是在swapCursor() 方法中,notify the observers about the lack of a data set 时调用了
notifyDataSetInvalidated();
这个方法是告诉绑定的观察者,某些潜在的数据已经不可用了。
我们可以通过notifyDataSetChanged()方法暂时替换一下。