0

我有一个活动列表视图,我想在它的顶部附加数据。当活动加载时,列表视图被填充。现在当用户单击一个按钮时,我带来了额外的数据,但我希望这些数据附加在顶部的列表视图。我怎样才能做到这一点?

我使用baseAdapter.Heres 我的 baseAdapter 类制作了自定义列表视图:

public class LazyAdapterUserAdminChats extends BaseAdapter{

private Activity activity;
private ArrayList<HashMap<String,String>> hashmap;
private static LayoutInflater inflater=null;


public LazyAdapterUserAdminChats(Activity activity,ArrayList<HashMap<String,String>> hashMaps)
{
    this.activity=activity;
    this.hashmap=hashMaps;
    LazyAdapterUserAdminChats.inflater=(LayoutInflater)this.activity.getSystemService(Context.LAYOUT_INFLATER_SERVICE);
}

@Override
public int getCount() {
    return hashmap.size();
}

@Override
public Object getItem(int position) {
    return position;
}

@Override
public long getItemId(int position) {
    return position;
}

@Override
public View getView(int position, View convertView, ViewGroup parent) {

    View view=convertView;

    if(convertView==null)
        view=inflater.inflate(R.layout.useradminchat,null);

    TextView username=(TextView)view.findViewById(R.id.UAC_userNametext);
    TextView messagetext=(TextView)view.findViewById(R.id.UAC_messagetext);
    TextView messageDate=(TextView)view.findViewById(R.id.UAC_dates);

    HashMap<String,String> map=hashmap.get(position);

    username.setText(map.get(HandleJSON.Key_username));
    messagetext.setText(map.get(HandleJSON.Key_messageText));
    messageDate.setText(map.get(HandleJSON.Key_messageDate));

    return view;
}

}

以下是我如何从我的活动中为 listview 功能设置适配器。

         private void ShowListView(ArrayList<HashMap<String,String>> chat)
         {
             try
             {

                 ListView lv=(ListView)findViewById(android.R.id.list);
                 adapter = new LazyAdapterLatestChats(this,chat);
                 lv.setAdapter(adapter);
             }
             catch(Exception e)
             {
                Toast.makeText(this, e.getMessage(), Toast.LENGTH_LONG).show();
             }
         }
4

1 回答 1

2

首先,不要使用哈希图来保存您的数据。您更愿意使用 ArrayList,因为您将进行迭代。哈希图通常用于快速信息检索,通常不用于迭代(不过,这可以通过 来完成Iterator)。

接下来,创建一个方法LazyAdapterUserAdminChats来将内容添加到数组列表的头部。

最后,notifyDataSetChanged在添加到数组列表的头部时调用。

例子:

public class LazyAdapterUserAdminChats extends BaseAdapter{

private Activity activity;
private ArrayList<MyObj> al;
private static LayoutInflater inflater=null;


public LazyAdapterUserAdminChats(Activity activity,ArrayList<MyObj> al)
{
    this.activity=activity;
    this.al=al;
    LazyAdapterUserAdminChats.inflater=(LayoutInflater)this.activity.getSystemService(Context.LAYOUT_INFLATER_SERVICE);
}

// other methods
....

public void addToHead(MyObj m)
{
    this.al.add(m, 0);
    notifyDataSetChanged();
}

}

您的自定义类可以是您想要的任何东西。例如,

public class MyObj 
{
    String hashMapKey, hashMapValue;
}
于 2012-07-15T19:04:15.367 回答