8

我正在开发一个使用 CursorAdapter 显示电话联系人的应用程序。当我运行它时,我遇到了一个列表视图,它只重复一个联系人如下所示(“大卫”是我的联系人之一,只是在列表视图中重复)

大卫 017224860

大卫 017224860

大卫 017224860

大卫 017224860

大卫 017224860

大卫 017224860。

.

.

.

我的活动看起来像

public class Contacts extends Activity {    
@Override
protected void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState);
    setContentView(R.layout.contacts);

    Cursor cursor = getContentResolver()
        .query(ContactsContract.CommonDataKinds.Phone.CONTENT_URI,
               null, null, null, null);

    startManagingCursor(cursor);

    ContactCursorAdapterCT adapter= new ContactCursorAdapterCT(Contacts.this, cursor);
     ListView contactLV = (ListView) findViewById(R.id.listviewblcontactsDB);

    contactLV.setAdapter(adapter);

我的 cursorAdapter 看起来像:

public class ContactCursorAdapterCT extends CursorAdapter {
       public ContactCursorAdapterCT(Context context, Cursor c) {
    super(context, c);
    // TODO Auto-generated constructor stub
}

@Override
public void bindView(View view, Context context, Cursor cursor) {

    while (cursor.moveToNext()) {

        TextView name = (TextView)view.findViewById(R.id.blacklistDB1);               
          name.setText(cursor.getString(cursor.getColumnIndex
          (ContactsContract.CommonDataKinds.Phone.DISPLAY_NAME)));

        TextView phone = (TextView)view.findViewById(R.id.blacklistDB2); 
          phone.setText(cursor.getString(cursor.getColumnIndex
          (ContactsContract.CommonDataKinds.Phone.NUMBER)));

    }
}

@Override
public View newView(Context context, Cursor cursor, ViewGroup parent)
{
    // TODO Auto-generated method stub

    LayoutInflater inflater = LayoutInflater.from(context);

    View v = inflater.inflate(R.layout.lv, parent, false);
            bindView(v, context, cursor);
           return v;
}
4

2 回答 2

26

我注意到几点:

  1. CursorAdapter 为您移动 Cursor,将您的呼叫转移到cursor.moveToNext().
  2. 适配器的getView()调用newView()bindView()它自己的;你不应该自己调用这些方法。
  3. 您应该在 Google IO上观看 Android 开发人员的讲座,以了解有关加快适配器速度的提示和技巧。提示如下:
    • 使用 ViewHolder,而不是findViewById()重复调用。
    • 保存光标的索引,而不是getColumnIndex()重复调用。
    • 一次获取 LayoutInflater 并保留本地引用。
于 2012-11-29T17:16:34.667 回答
4

另外,我建议您从使用 CursorManager 切换到使用 CursorLoader。这记录在 Android API 指南的 Loaders 下。此处是您可能会发现有用的一个具体示例 。

游标适配器将游标“连接”到 ListView。Cursor 是数据的数据视图,ListView 是相同数据的 UI 视图。您无需编写任何程序来使 ListView 与 Cursor 保持同步,这一切都是自动处理的。

You do need to tell the ListView which columns in the Cursor it should display, See the documentation for the SimpleCursorAdapter class. I usually use that class unless I have to modify the data as I move it from the Cursor to the ListView.

于 2012-11-29T21:27:19.260 回答