试想下,数据适配器只是提供不同的数据并匹配界面中的组件以呈现不同的数据内容.那么就可以对界面组件与数据项入手进行修改.
通常在BaseAdapter.getView中会使用ViewHolder方式来缓存界面中的组件,以便提高性能.那我们可以定义一个DataViewHolder类
[java]
public class DataViewHolder {
HashMap<Integer,View> mapView = new HashMap<Integer,View>();
HashMap<String,Object> mapData = new HashMap<String,Object>();
public void setView(int key,View v){
this.mapView.put(key, v);
}
@SuppressWarnings("unchecked")
public <T> T getView(int key){
return (T)this.mapView.get(key);
}
@SuppressWarnings("unchecked")
public <T> T getView(Class<T> clazz, int key){
return (T)this.mapView.get(key);
}
public void setData(String key, Object value){
mapData.put(key, value);
}
@SuppressWarnings("unchecked")
public <T> T getData(String key){
return (T)mapData.get(key);
}
@SuppressWarnings("unchecked")
public <T> T getData(Class<T> clazz, String key){
return (T)mapData.get(key);
}
}
对界面组件入手时,我们需要一个方法来提供一组界面组件的ID号,便于在BaseAdapter.getView方法中获取该组件实例.
[java]
public int[] getFindViewByIDs() {
return new int[]{
R.id.ItemText,
R.id.ItemImage
};
}
在实现BaseAdapter.getView方法时,通常需要获取布局资源,那么我们提供一个方法
[java]
public View getLayout(int position, DataViewHolder vh) {
return inflater.inflate(R.layout.gv_content, null);
}
以便在BaseAdapter.getView方法中调用,我们来实现BaseAdapter.getView方法
[java]
public View getView(int position, View convertView, ViewGroup parent) {
DataViewHolder vh;
if(convertView == null){
vh = new DataViewHolder();
convertView = this.getLayout(position,vh); //获取布局资源
if(convertView == null)
return null;
int[] idAry = this.getFindViewByIDs(); //获取界面组件
if(idAry == null)idAry = new int[]{};
for(int id : idAry){
vh.setView(id, convertView.findViewById(id)); //资源id作为key,缓存界面中的组件
}
convertView.setTag(vh);
}
else
vh = (DataViewHolder)convertView.getTag();
this.renderData(position, vh); //继承类中的方法,完成数据到界面组件的赋值
return convertView;
}
对数据项入手时,我们只需要定义泛型参数来支持,先暂时定义为HashMap<String,String>, renderData方法如下
[java]
public void renderData(int position, DataViewHolder vh) {
HashMap<String,String> map = (HashMap<String,String>)this.getItem(position);
vh.getView(TextView.class, R.id.ItemText).setText(map.get("title"));
ImageView imgView = vh.getView(R.id.ItemImage);
imgView.setImageURI(...);
}
让我们来看一下完整的实现
[java]
public abstract class DataAdapter<TItem> extends BaseAdapter {
protected LayoutInflater inflater=null;
protected Context mContext;
private List<TItem> lst;
public DataAdapter(Context c, List<TItem> lst){
this.mContext = c;
this.lst = lst;
this.inflater=LayoutInflater.from(c);
}
@Override
public int getCount() {
return lst.size();
}
public void insert(TItem data){
lst.add(0, data);
this.notifyDataSetChanged();
}
public void append(TItem data){
lst.add(data);
this.notifyDataSetChanged();
}
public void replace(TItem data){
int idx = this.lst.indexOf(data);
this.replace(idx, data);
}
public void replace(int index, TItem data){
if(index<0)return;
if(index> lst.size()-1)return;
lst.set(index, data);