0

この質問に対する答えが見つからないので、少しばかげているように感じます。実際に間違った質問をしていると思います。しかし、ここに行く...

リスト ビューと xml で定義された listviewitem があり、いくつかのフィールドがあり、特別なことは何もありません。すべて見えるように設定されています。

次に、カスタム ArrayAdapter を使用して ListView にバインドし、行 5 でテキスト ビューの 1 つを非表示にしたいと考えています。ただし、項目 0 と項目 5 で TextView を非表示にしているようです。問題を再現するためにコードを簡略化しました。誰かが私を助けてくれることを願っています...

私のアダプター

public class MenuScreenAdapter extends ArrayAdapter<String>
{
    private List<String> _items;
    private Context _context;

    public MenuScreenAdapter(Context context, List<String> items)
    {
        super(context, R.layout.list_menu_item, items);

        _context = context;
        _items = items;
    }

    private MenuScreenAdapter(Context context, int textViewResourceId)
    {
        super(context, textViewResourceId); 
    }

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

        if (v == null)
        {
            LayoutInflater vi = (LayoutInflater) _context.getSystemService(Context.LAYOUT_INFLATER_SERVICE);
            v = vi.inflate(R.layout.list_menu_item, null);
        }
        String o = _items.get(position);    
        if (o != null)
        {
            TextView tt = (TextView) v.findViewById(R.id.list_menu_item_name);
            if (tt != null)
                tt.setText(o);

            if (position == 5)
                tt.setVisibility(View.GONE);
        }
        return v;
    }
}

私の拘束コード

    // Load everything up that we need
    List<String> items = new ArrayList<String>();
    items.add("One");
    items.add("Two");
    items.add("Three");
    items.add("Four");
    items.add("Five");
    items.add("Six");
    items.add("Seven");
    items.add("Eight");
    items.add("Nine");
    items.add("Ten");

    // Get the ListView, and set it's adapter. The HomeScreenAdapter
    // takes care of the rest
    ListView homeScreenListView = (ListView) _mainActivity.findViewById(R.id.view_home_list);
    homeScreenListView.setOnItemClickListener(ItemSelected);
    homeScreenListView.setAdapter(new MenuScreenAdapter(_mainActivity.getBaseContext(), items));

前もって感謝します!

4

1 に答える 1

6

行ビューは ArrayAdapter によって再利用されるため、View.GONE が設定されると、このビューが再利用される次の行に進みます。あなたの場合、View.GONE を 5 行目の textview に設定し、リストを少し移動し、arrayadapter は 5 行目のレイアウトを再利用して最初の行を表示することにしました。変更が行われていないため、textView はまだ非表示のままです。

次のことを行うだけです。

if (position == 5) {
            tt.setVisibility(View.GONE);
} else {
            tt.setVisibility(View.VISIBLE);
}

PS まだお持ちでない場合は、Google の ListViews に関するプレゼンテーションをご覧ください。そこにはたくさんの有用な情報があります。リストビュー

于 2011-02-04T11:35:13.133 に答える