任何人都可以为我提供two_line_list_item示例吗?
答案 0 :(得分:37)
我还没有找到一个实际使用内置布局的示例android.R.layout.two_line_list_item
和ListView
ListActivity
。所以这里。
如果您匆忙,下面的TwoLineArrayAdapter.getView()
覆盖是使用默认two_line_list_item
版面的重要部分。
您有一个定义列表项的类。我假设你有一系列这些。
public class Employee {
public String name;
public String title;
}
这个抽象类可以重用,并且以后更容易定义两行ListView
。 可以提供自己的布局,但是两个参数构造函数使用内置的two_line_list_item
布局。 自定义列表项布局的唯一要求是,他们必须使用@android:id/text1
和@android:id/text2
来标识他们的TextView
子项,就像two_line_list_item
一样。
public abstract class TwoLineArrayAdapter<T> extends ArrayAdapter<T> {
private int mListItemLayoutResId;
public TwoLineArrayAdapter(Context context, T[] ts) {
this(context, android.R.layout.two_line_list_item, ts);
}
public TwoLineArrayAdapter(
Context context,
int listItemLayoutResourceId,
T[] ts) {
super(context, listItemLayoutResourceId, ts);
mListItemLayoutResId = listItemLayoutResourceId;
}
@Override
public android.view.View getView(
int position,
View convertView,
ViewGroup parent) {
LayoutInflater inflater = (LayoutInflater)getContext()
.getSystemService(Context.LAYOUT_INFLATER_SERVICE);
View listItemView = convertView;
if (null == convertView) {
listItemView = inflater.inflate(
mListItemLayoutResId,
parent,
false);
}
// The ListItemLayout must use the standard text item IDs.
TextView lineOneView = (TextView)listItemView.findViewById(
android.R.id.text1);
TextView lineTwoView = (TextView)listItemView.findViewById(
android.R.id.text2);
T t = (T)getItem(position);
lineOneView.setText(lineOneText(t));
lineTwoView.setText(lineTwoText(t));
return listItemView;
}
public abstract String lineOneText(T t);
public abstract String lineTwoText(T t);
}
最后,这里是您编写的专门针对您的Employee类的代码,以便它在ListView
中呈现。
public class EmployeeArrayAdapter extends TwoLineArrayAdapter<Employee> {
public EmployeeArrayAdapter(Context context, Employee[] employees) {
super(context, employees);
}
@Override
public String lineOneText(Employee e) {
return e.name;
}
@Override
public String lineTwoText(Employee e) {
return e.title;
}
}
在您的活动的onCreate()
方法中,您将拥有如下代码:
employees = new Employee[...];
//...populate the employee array...
employeeLV = (ListView)findViewById(R.id.employee_list);
employeeLV.setAdapter(new EmployeeArrayAdapter(this, employees);