2

最近発生した問題は次のとおりです。カスタムアダプタクラスを含むリストビューがあり、アダプタはリストビューを取り込み、リストビューにその要素を入力します。ここで、リストビューの各行にアイテムを削除するためのボタンを配置したいと思います。この問題にどのように取り組むべきですか?アクティビティクラスのメソッドをリモートでトリガーし、アダプタでnotifydatachanged()メソッドを呼び出してリストビューを更新する方法はありますか?

4

2 に答える 2

1

私はそのようなことをしました:

public class MyAdapter extends Adapter {

private final ArrayList<String> items = new ArrayList<String>();

// ...

deleteRow(int position) {
    items.remove(position);
    notifyDataSetChanged();
}
//

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

    if(convertView == null) {
        Tag tag = new Tag();
        // inflate as usual, store references to widgets in the tag
        tag.button.setOnClickListener(new OnClickListener() {
        @Override
        public void onClick(View v) {
                    deleteRow(position);
        }
    });
    }
    // don't forget to set the actual position for each row
    Tag tag = (Tag)convertView.getTag();
    // ...
    tag.position = position;
    // ...
}



class Tag {

    int position;

    TextView text1;
    // ...
    Button button;
}

}
于 2010-04-29T18:40:17.977 に答える
0

getView() メソッドで、ボタンに setOnClickListener() だけできないのですか?

このようなもの:

static final class MyAdapter extends BaseAdapter {

    /** override other methods here */

    @Override
    public View getView(final int position, View convertView, ViewGroup parent) {
        ViewHolder holder;

        if (convertView == null) {
            // inflate the view for row from xml file

            // keep a reference to each widget on the row.
            // here I only care about the button
            holder = new ViewHolder();
            holder.mButton = (Button)convertView.findViewById(R.id.button);
            convertView.setTag(holder);
        } else {
            holder = (ViewHolder)convertView.getTag();
        }

        // redefine the action for the button corresponding to the row
        holder.mButton.setOnClickListener(new OnClickListener() {
            @Override
            public void onClick(View v) {
                // do something depending on position
                performSomeAction(position);
                // mark data as changed
                MyAdapter.this.notifyDatasetChanged();
            }
        }
    }
    static final class ViewHolder {
        // references to widgets
        Button mButton;
    }
}

BaseAdapter の拡張について不明な点がある場合は、ApiDemos の List14 の例を確認してください。この手法を使用すると、アダプターのほぼすべての側面を柔軟に変更できますが、かなり手間がかかります。

于 2010-04-29T16:55:22.100 に答える