记录一下最近项目用到的东西,在Android中,平时我们为了实现互斥效果都要把RadioButton 放在同一个RadioGroup的父布局中来统一管理,然而RadioGroup则是继承了LinearLayout,是一个线性布局,无法做到项目中需要的网格效果。先上效果图:
GIF_20161226_112859.gif
经过有关人士指点(哈哈),就想到了使用RecyclerView,设置成GridLayoutManager来实现网格样式。当然仅仅这样是做不到有互斥效果的,这里子布局我使用的就是RadioButton,并且给RadioButton设置上自定义的selector的背景样式
<shape xmlns:android="http://schemas.android.com/apk/res/android"
android:shape="rectangle">
<solid android:color="@color/lineGray" />
<stroke android:width="1dp" android:color="@color/lineGray" />
<padding
android:bottom="8dp"
android:left="8dp"
android:right="8dp"
android:top="8dp" />
<corners
android:topLeftRadius="4dip"
android:topRightRadius="4dip"
android:bottomLeftRadius="4dip"
android:bottomRightRadius="4dip"/>
</shape>
这里给出的是选中后显示的效果,未选中的样式写法也同上,只是设置的颜色不同而已。selector的代码如下:
<item android:drawable="@drawable/fram_chat_edit_gray_bg" android:state_checked="true"/>
<item android:drawable="@drawable/fram_chat_edit_gray_bg" android:state_focused="true"/>
<item android:drawable="@drawable/fram_chat_edit_gray_bg" android:state_selected="true"/>
<item android:drawable="@drawable/fram_chat_edit_bg"/>
然后就是RecyclerView的Adapter中实现互斥效果关键的代码,首先我们设置一个int类型的变量,初始值小于0即可。用来记录被点中的RadioButton的位置,
private int mSelectedItem = -1;
我们在ViewHolder中为RadioButton设置点击事件,代码如下:
public class RechargeValue extends RecyclerView.ViewHolder implements
View.OnClickListener {
public RadioButton mRadioButton;
public RechargeValue(View itemView) {
super(itemView);
mRadioButton = (RadioButton) itemView.findViewById(R.id.tv_value);
mRadioButton.setOnClickListener(this); }
@Override
public void onClick(View v) {
mSelectedItem = getAdapterPosition();
notifyItemRangeChanged(0, mData.size());
mListener.onValueClick(mSelectedItem);
}}
当RecyclerView中的RadioButton被点击时,即可知道当前被点击的是第几个item,使用notifyItemRangeChanged方法来刷新整个列表中的数据,然后在onBindViewHolder中设置该所有RadioButton的状态,对比位置值,如果相等则设置该itemRadioButton为选中状态。
@Override
public void onBindViewHolder (RechargeValue holder, int position){
holder.mRadioButton.setChecked(position==mSelectedItem);
holder.mRadioButton.setText(mData.get(position));
}
到这里就已经完成了,最后,在使用时,如果想点击其他地方取消掉item的选中状态,可以使用RecyclerView的局部刷新来达到目的。
网友评论