1

我想实现一个自定义的 SimpleCursorAdapter,它仅在偶数行上显示背景颜色(在我的情况下为蓝色)。我的实现如下:

public class ColoredCursorAdapter extends SimpleCursorAdapter {
    String backgroundColor;

    public ColoredCursorAdapter(
            Context context,
            int layout,
            String backgroundColor,
            Cursor c,
            String[] from,
            int[] to,
            int flags) {
        super(
                context, 
                layout, 
                c, 
                from, 
                to, 
                flags);
        this.backgroundColor = backgroundColor;
    }

    @Override
    public void bindView(View view, Context context, Cursor cursor) {
        super.bindView(view, context, cursor);
        if(cursor.getPosition() % 2 == 0) {
            view.setBackgroundColor(
                    Color.parseColor(backgroundColor));
        }
    }
}

一开始它工作正常,但是当我反复向下和向上滚动列表时,所有行都变成蓝色。

提前致谢。

4

1 回答 1

6

当您滚动时,适配器会回收(重用)项目视图。这意味着当您来回滚动列表时,不能保证相同的项目视图将用于给定的光标位置。在您的情况下,如果当前位置是偶数,则仅设置项目视图的背景颜色,但是您当前正在处理的特定视图可能以前曾在奇数位置使用过。因此,随着时间的推移,您所有的项目视图都会获得相同的背景颜色。

解决方案很简单,为奇数和偶数光标位置设置背景颜色。就像是:

@Override
public void bindView(View view, Context context, Cursor cursor) {
    super.bindView(view, context, cursor);
    if(cursor.getPosition() % 2 == 0) {
        view.setBackgroundColor(
                Color.parseColor(backgroundColor));
    }else{
        view.setBackgroundColor(
                Color.parseColor(someOtherBackgroundColor));
    }
}
于 2012-09-07T02:48:11.737 回答