public View getView(int index, View view, ViewGroup parent){
if (view == null) { // for the first time, inflate the view
LayoutInflater inflater =
LayoutInflater.from(parent.getContext());
view = inflater.inflate(
R.layout.time_list_item, parent, false);
}
/**
* The layout under consideration has two TextViews in it
* one to display the time and other to display some text.
*/
TimeRecord time = times.get(index);
timeTextView.setText(time.getTime());
TextView timeTextView = (TextView)
view.findViewById(R.id.time_view);
notesTextView.setText(time.getNotes());
TextView notesTextView = (TextView)
view.findViewById(R.id.notes_view);
return view;
}
我知道对于要显示的集合的每个项目都会重复调用getView()
。我正在使用的参考说明为了优化性能,您应该只重用该视图。现在,这种“重用”让我很困惑。
这些返回的视图将显示在ListView
中。如果我只返回一个用新数据重新填充的View
,那么数据将如何正确显示?怎么会有多个条目?
换句话说,我不只是返回一个视图并期望看到多个ListView
条目?我不应该返回新的Views
吗?
答案 0 :(得分:3)
getView()如何在自定义适配器中工作?
getView()方法被调用多次,因为行数e.q.每一行都有自己的观点。
现在,这种'重用'让我感到困惑。
它被称为查看回收。换句话说,如果行不可见,则它不为空(如果已创建且至少可见一次),但如果您不创建将保存行的子视图的机制,则回收将无法工作,在您的情况下,您的findViewById()将为每一行调用(例如1000行,效率不高)。
为此目的使用Holder设计模式。这是一个简单的任意对象,它包含每行子视图的引用。
您可以像下面这样实现:
public class RowHolder {
private View row;
// childs widgets in row
private TextView name;
public RowHolder(View row) {
this.row = row; // row in ListView (in your case)
}
public TextView getName() {
if (name == null) {
name = (TextView) row.findViewById(<id>);
}
return name;
}
...
}
用法:
LayoutInflater inflater;
RowHolder holder = null;
// row created first time
if (convertView == null) {
convertView = inflater.inflate(<rowXMLLayout>, null, false);
holder = new RowHolder(convertView); // adding row to arbitrary obj
convertView.setTag(holder) // adding this obj to row at position
}
else {
// recycling started
holder = (RowHolder) convertView.getTag();
}
// updating rows
holder.getName().setText(<value?>);
...
答案 1 :(得分:1)
ListView中的这种行为名为Recycling,您可以在How ListView's recycling mechanism works和View Recycling in ListView
上获得更多信息答案 2 :(得分:1)
因此ListView以这种方式使用您的自定义适配器:
优点是如果你在getView中正确地重用了RECYCLED VIEW,那么命令inflate()有时只会被调用一次(但不是每个列表项都会被调用,当没有必要时)。这种膨胀是我们想要省略的,因为它非常慢。
此数组具有与getViewTypeCount()中返回的自定义适配器一样多的入口。在简单的列表视图中,它将只是1.这就是为什么在getView(int index,View recycleView,ViewGroup parent)中执行此循环时,每次都将获得相同的recycleView参数,您必须使用=省略另一个膨胀和更改它的属性如textViews,图像等,所以它包含你想要的东西。换句话说,列表中的每个项目看起来都不一样,但只是相似,因为它具有相同的布局(字面上相同的布局文件和相同的布局,如边距,宽度等)
如果您在Listview中使用了少量视图,则意味着一旦您充气1个视图,其他时间就不同了。十,你应该覆盖getViewTypeCount()和getItemViewType(),以便Listview知道列表的哪个索引应该获得哪个视图。