我遇到了一些麻烦,当我点击我的Listview时,我想改变所选行的颜色,但是几行改变颜色而不是我想要的颜色。
如果我点击另一行,我希望之前点击的行保持他的颜色。
还有一个小问题因为我每次调用setAdapter所以每次点击时列表都会向上滚动
片段中onclicklistener的代码:
private AdapterView.OnItemClickListener ajouter_joueur_liste_listener = new AdapterView.OnItemClickListener() {
@Override
public void onItemClick(AdapterView parent, View v, int position, long id ) {
//I take all player in my database
Cursor cursor = joueurDab.getAll();
CursorListJoueur cl = new CursorListJoueur(context, cursor, position, true);
liste_joueurs.setAdapter(cl);
}
}
光标适配器
public class CursorListJoueur extends CursorAdapter {
int poscolor;
boolean selection;
private CategorieDAO categorieDab;
public CursorListJoueur(Context pContext, Cursor c, int poscolor, boolean selection) {
super(pContext, c, 0);
this.poscolor = poscolor;
this.selection = selection;
}
@Override
public View newView(Context context, Cursor cursor, ViewGroup parent) {
categorieDab = new CategorieDAO(context);
return LayoutInflater.from(context).inflate(R.layout.row_player, parent, false);
}
@Override
public void bindView(View view, Context context, Cursor cursor) {
int pos = cursor.getPosition();
if ( poscolor != -1 ){
if ( cursor.getPosition() == poscolor && selection ) {
view.setBackgroundColor( Color.GRAY );
}else if ( cursor.getPosition() == poscolor && !selection ){
view.setBackgroundColor( Color.WHITE );
}
}
在CursorListJoueur中(context,cursor,int poscolor,boolean selection);
参数poscolor对应于我想要颜色的行,布尔值表示我是否要设置灰色或白色,并且您不需要关心if(poscolor!= -1)
我看到其他一些主题,但我不想使用XML方法进行颜色Row(因为我想删除另一个onclicklistener中的行颜色),如果有可能我想保留我的bindview()而不是使用getView()
由于
答案 0 :(得分:2)
每次点击列表(导致列表滚动回到顶部)时,您可以利用SparseBooleanArray跟踪当前正在选择的项目,而不是创建新的Adapter
。
在适配器中:
public class YourAdapter extends CursorAdapter {
// Initialize the array
SparseBooleanArray selectionArray = new SparseBooleanArray();
...
// Method to mark items in selection
public void setSelected(int position, boolean isSelected) {
selectionArray.put(position, isSelected);
}
...
@Override
public void bindView(View view, Context context, Cursor cursor) {
int position = cursor.getPosition();
boolean isSelected = selectionArray.get(position);
if (isSelected ) {
view.setBackgroundColor( Color.GRAY );
} else if (!isSelected){
view.setBackgroundColor( Color.WHITE );
}
}
}
然后在单击项目时,您可以同样切换选择:
@Override
public void onItemClick(AdapterView parent, View v, int position, long id ) {
YourAdapter adapter = (YourAdapter) parent.getAdapter();
adapter.setSelected(position, true);
adapter.notifyDataSetChanged();
}
希望这有帮助。 :)