Skip to content Skip to sidebar Skip to footer

Efficientadapter And Grabbing Text Of Item Clicked

For EfficientAdapter What code I need to use under onListItemClick to get text of selected item? I tried: str=(String) ((TextView)l.getItemAtPosition(position)).getText() But this

Solution 1:

There isn't really enough information in your question (see my comment above), but here's a guess at an answer:

First, getText() is documented to return a CharSequence, not a String. It might return a String, but you don't know that it does. So it would be safer to write:

str = ((TextView)l.getItemAtPosition(position)).getText().toString()

Second, if that doesn't work, try breaking down that statement so you can get a better idea of where the exception is coming from. Something like this, perhaps, might be clearer:

TextViewtv= (TextView) l.getItemAtPosition(position);
str = tv.getText().toString();

EDIT based on your update:

1) If you're going to implement onListItemClick, be sure that you begin the method by calling up to the base class, as shown below.

2) Here's the problem: (I realized this after copying and pasting in a different example, which I think won't be necessary now): ListView.getItemAtPosition doesn't return a View at all; it returns an item from your Adapter (a Cursor, an array entry, whatever.) To get the TextView, you need to use findViewById, or better still, your ViewHolder. I think this will work:

protectedvoidonListItemClick(ListView l, View v, int position, long id) {
    super.onListItemClick(l, v, position, id);

    ViewHolderholder= (ViewHolder) v.getTag();
    TextViewtv= holder.text;
    Stringstr= tv.getText().toString();
}

If you're still having problems, please copy and paste the traceback for the exception that you're getting.

Post a Comment for "Efficientadapter And Grabbing Text Of Item Clicked"