我正在尝试使用自定义数据集创建ListView
,如下所示:
String superType = "random1";
String superTypea = "random12";
String superType12 = "random2";
String superType_amount = "child1";
String childtype_calulated = "2323";
String superType_amount = "child2";
String childtype_calulated = "23223";
String superType_amount = "child2";
String childtype_calulated = "amount3";
现在我想用这组数据创建ListView
如何做到这一点?
这是列表结构......
row1=superType |superType_amount |childtype_calulated
row2=superTypea |superType_amount |childtype_calulated
row3=superType12|superType_amount |childtype_calulated
有没有解决方案?
答案 0 :(得分:2)
绝对有可能这样做。首先,我建议将您的数据放入集合中。最好将它们放入一个对象中,然后放入这些对象的集合中。从那里,您可以将ListView添加到主布局,为列表项定义自定义布局,并使用ArrayAdapter填充ListView。
Here is a really good example of how you can do this well.它包含从外部源加载数据的示例,您不需要这些数据。
但是,如果您现在进入开发阶段,我建议您查看RecyclerView。 RecyclerView是新的,包含在AppCompat v7库中,可用于前Lollipop Android。对于简单的列表,RecyclerView实现起来会稍微复杂一些,但可扩展性和效率更高。我相信谷歌有意在将来完全用RecyclerView取代ListView。
Here is a pretty simple introduction to making a list with RecyclerView.
修改
将ArrayAdapter与ListView一起使用。首先,您需要创建一个模型来存储您的数据,您可以将某些类放入集合中,例如:
public class Item {
public String title;
public String sub1;
public String sub2;
public void Item(String t, String s1, String s2) {
title = t;
sub1 = s1;
sub2 = s2;
}
}
然后,您需要为列表中的项目定义布局:
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="horizontal" >
<TextView
android:id="@+id/title"
android:layout_width="wrap_content"
android:layout_height="wrap_content" />
<TextView
android:id="@+id/sub1"
android:layout_width="wrap_content"
android:layout_height="wrap_content" />
<TextView
android:id="@+id/sub2"
android:layout_width="wrap_content"
android:layout_height="wrap_content" />
</LinearLayout>
然后,您需要通过扩展ArrayAdapter类来创建自定义ArrayAdapter:
public class ItemAdapter extends ArrayAdapter<Item> {
public ItemAdapter(Context context, ArrayList<Item> items) {
super(context, 0, items);
}
@Override
public View getView(int position, View convertView, ViewGroup parent) {
Item item = getItem(position);
if (convertView == null) {
convertView = LayoutInflater.from(getContext()).inflate(R.layout.item_layout, parent, false);
}
TextView title = (TextView) convertView.findViewById(R.id.title);
TextView sub1 = (TextView) convertView.findViewById(R.id.sub1);
TextView sub2 = (TextView) convertView.findViewById(R.id.sub2);
title.setText(item.title);
sub1.setText(item.sub1);
sub2.setText(item.sub2);
return convertView;
}
}
然后您需要做的就是在主类中创建适配器的实例并将您的集合附加到它:
ArrayList<Item> data = new ArrayList<Item>();
ItemAdapter adapter = new ItemAdapter(this, data);
ListView listView = (ListView) findViewById(R.id.list_view);
listView.setAdapter(adapter);
这应该使用列表中所需的所有项目填充ListView。我没有运行任何此代码,因此可能有一两个小错误供您修复。