- Add OnItemClickListener to RecyclerView in android to Get Clicked Item
- Note: Read below steps very carefully to add CardView and RecyclerView library inside your current project.
- How to Add OnItemClickListener to RecyclerView in android to Get Clicked Item.
- Click here to download Add OnItemClickListener to RecyclerView in android to Get Clicked Item project with source code.
- Android RecyclerView onItemClickListener & getAdapterPosition(): A Better Way
- A lighter way to get that thing done smoothly.
- The Most Popular Way; The Problem
- A Better Way; The Solution
- riyazMuhammad / CustomItemClickListener.java
- Получить выбранный элемент и его позицию в RecyclerView
- 21 ответ
Add OnItemClickListener to RecyclerView in android to Get Clicked Item
AddOnItemTouchListener method is the most important part of RecyclerView because without the proper click listener method there is only half use of this widget. RecyclerView dose not have its own click listener method like ListView so with the use of GestureDetector, MotionEvent and Boolean function onInterceptTouchEvent() we can get the clicked item from RecyclerView. So here is the complete step by step tutorial for Add OnItemClickListener to RecyclerView in android to Get Clicked Item.
Note: Read below steps very carefully to add CardView and RecyclerView library inside your current project.
1. Open your project’s build.gradle ( Module : app ) file.
2. Please add below code inside your build.gradle ( Module : app ) file.
3. Screenshot of build.gradle ( Module : app ) file after adding above code.
Here your go now both libraries is successfully imported into our project now next step is to start coding.
How to Add OnItemClickListener to RecyclerView in android to Get Clicked Item.
Code for MainActivity.java file.
Code for RecyclerViewAdapter.java class file.
Code for activity_main.xml layout file.
Code for cardview_item.xml layout file.
Screenshots:
Click here to download Add OnItemClickListener to RecyclerView in android to Get Clicked Item project with source code.
Источник
Android RecyclerView onItemClickListener & getAdapterPosition(): A Better Way
A lighter way to get that thing done smoothly.
TL;DR
Instead of creating a custom ItemClickListener interface to getAdapterPosition() inside your Activity/Fragment/View and end up creating multiple Anonymous Classes under the hood for each item. Better pass the RecyclerView.ViewHolder using view.setTag() inside your ViewHolder and then getAdapterPosition() (…and many other things) from view.getTag() i.e. ViewHolder’s object inside your Activity/Fragment/View.
The Most Popular Way; The Problem
I know you must have already found a way to get onItemClickListener() for your RecyclerView Adapter. But sometimes the way we think is not always the correct or a better way. Whenever anyone tries to find a way to getAdapterPosition() inside their Activity/Fragment/View. He or she comes across the well-known pattern of creating a custom interface with view and position as the parameters.
Later, we initialize the ItemClickListener instance using the public setter.
OR… by passing the ItemClickListener instance via constructor.
And finally we pass our view and adapter position to the listener.
And we know the rest of the part very well.
Most of the articles out there depict the same thing. But there is a problem.
When we say itemView.setOnClickListener(new View.OnClickListener()…
It creates an Anonymous inner class under the hood which implements our ItemClickListener listener.
And we end up creating and initializing multiple Anonymous inner classes under the hood just for a click listener.
I used to do the same. Because that is what we get to see all over the internet.
A Better Way; The Solution
But, recently I got a suggestion from a colleague to implement it in a better and lighter way. Let’s see how we can get adapter position, item id (…and many other things) inside our Activity/Fragment/View.
So, instead of creating new custom interface, we will use View.OnClickListener and initialize it in the way we used to do.
And we will pass the instance of ViewHolder via itemView to the listener using setTag().
In this way, we do not need to create Anonymous inner class as we can directly give the reference of onItemClickListener
Finally we can get adapter position and item id (…and many other things) inside our Activity/Fragment/View from the ViewHolder instance.
Simple! Isn’t it?
Let me know your views and suggestions about this in the comment section.
Thanks for reading!
If you like the article, clap clap clap 👏👏👏 as many times as you can. It inspires me to come up with more beautiful articles.
LIKED! Share on Facebook, LinkedIn, WhatsApp.
LIKED SO MUCH! Medium allows up to 50 claps.
Also post a Tweet on Twitter.
About: Rohit Surwase,
Techy by Birth. Writer by Hobby. Observer by Nature. Unpredictable by Character. Android Developer (Google Certified) by Profession.
Источник
riyazMuhammad / CustomItemClickListener.java
#The Problem In the way of replacing ListViews with RecyclerView I hit this obstacle where there is no onItemClickListener in RecyclerView . And when googled, I found almost all the posts saying we have to implement this using the GestureDetector. And some of them had used interfaces which is what I too thought of using in the first place. But even they were so much confusing and complex to understand.
- Interfaces (Donot worry if you never used one. But they are very simple concept) — CustomItemClickListener.java
- ViewHolder Adapter — ItemsListAdapter.java
- ViewHolder Item Class — ItemsListSingleItem.java
- The RecyclerView Itself — ItemsList (See Setting up the RecyclerView)
Solving the problem
Consider for example you have a list of thumbnails and a title to be listed. I would do the following to keep stuff simple and working. 🙂
Checkout the sample project here
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
LinearLayout xmlns : android = » http://schemas.android.com/apk/res/android « |
android : layout_width = » match_parent « |
android : layout_height = » match_parent « |
android : orientation = » vertical » > |
android .support.v7.widget.RecyclerView |
android : id = » @+id/items_list « |
android : layout_width = » match_parent « |
android : layout_height = » match_parent »/> |
LinearLayout > |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
public interface CustomItemClickListener < |
public void onItemClick ( View v , int position ); |
> |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
public class ItemsListAdapter extends RecyclerView . Adapter ItemsListAdapter .ViewHolder > < |
ArrayList ItemListSingleItem > data; |
Context mContext; |
CustomItemClickListener listener; |
@Override |
public ViewHolder onCreateViewHolder ( ViewGroup parent , int viewType ) < |
View mView = LayoutInflater . from(parent . getContext()) . inflate( R . layout . items_list_single_item, parent, false ); |
final ViewHolder mViewHolder = new ViewHolder (mView); |
mView . setOnClickListener( new View . OnClickListener () < |
@Override |
public void onClick ( View v ) < |
listener . onItemClick(v, mViewHolder . getPosition()); |
> |
>); |
return mViewHolder; |
> |
@Override |
public void onBindViewHolder ( ViewHolder holder , int position ) < |
holder . itemTitle . setText( Html . fromHtml(data . get(position) . getTitle())); |
if ( ! TextUtils . isEmpty(data . get(position) . getThumbnailURL())) < |
// I Love picasso library 🙂 http://square.github.io/picasso/ |
Picasso . with(mContext) . load(data . get(position) . getThumbnailURL()) . error( R . drawable . ic_no_image) . |
placeholder( R . drawable . ic_no_image) . |
transform( new RoundedCornersTransformation ( 5 , 0 )) . |
into(holder . thumbnailImage); |
> else < |
holder . thumbnailImage . setImageResource( R . drawable . ic_no_image); |
> |
> |
@Override |
public int getItemCount () < |
return data . size(); |
> |
public ItemsListAdapter ( Context mContext , ArrayList ItemsListSingleItem > data , CustomItemClickListener listener ) < |
this . data = data; |
this . mContext = mContext; |
this . listener = listener; |
> |
public static class ViewHolder extends RecyclerView . ViewHolder < |
public TextView itemTitle; |
public ImageView thumbnailImage; |
ViewHolder ( View v ) < |
super (v); |
itemTitle = ( TextView ) v |
.findViewById( R . id . post_title); |
thumbnailImage = ( ImageView ) v . findViewById( R . id . post_thumb_image); |
> |
> |
> |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
public class ItemsListSingleItem < |
private String title,thumbnailURL; |
/** |
* Just for the sake of internal reference so that we can identify the item. |
*/ |
long id; |
/** |
* |
* @param id |
* @param title |
* @param thumbnailURL |
*/ |
public ItemsListSingleItem ( long id , String title , String thumbnailURL ) < |
this . id = id; |
this . title = title; |
this . thumbnailURL = thumbnailURL; |
> |
public String getTitle () < |
return title; |
> |
public long getID () < |
return id; |
> |
public String getThumbnailURL () < |
return thumbnailURL; |
> |
> |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
Источник
Получить выбранный элемент и его позицию в RecyclerView
Я заменяю свой ListView на RecyclerView , список показывает нормально, но я хотел бы знать, как получить выбранный элемент и его положение, аналогично методу OnItemClickListener.onItemClick(AdapterView parent, View v, int position, long id) , который мы используем в ListView .
Спасибо за идеи!
21 ответ
Определите один интерфейс RecyclerViewClickListener для передачи сообщения от адаптера к Activity / Fragment :
В Activity / Fragment реализуйте интерфейс, а также передайте прослушиватель адаптеру:
В Adapter и ViewHolder :
После тестирования работает нормально.
Начиная с API 22, RecyclerView.ViewHolder.getPosition() не рекомендуется, поэтому вместо него используется getLayoutPosition() .
После большого количества проб и ошибок я обнаружил, что есть очень простой способ сделать это — создать интерфейс в классе адаптера и реализовать его во фрагменте. Теперь вот поворот, я создал экземпляр модели представления внутри моей функции переопределения, присутствующей в fragment, теперь вы можете отправлять данные из этой функции в viemodel и оттуда куда угодно.
Я не знаю, является ли этот метод хорошим методом кодирования, но, пожалуйста, дайте мне знать в комментарии, и если кто-нибудь хочет увидеть, дайте мне знать в разделе комментариев, я регулярно открываю поток стека.
Используйте getLayoutPosition () в своем Java-методе пользовательского интерфейса. Это вернет выбранную позицию элемента, проверьте все детали на
Короткое расширение для Kotlin
Метод возвращает абсолютную позицию всех элементов (а не позицию только видимых элементов).
Попробуй таким образом
В вашей деятельности или фрагменте:
Примечание. Реализуйте OnItemClickListener на основе контекста, указанного вами в методах активности или фрагмента и переопределения.
В конструкторе вы можете установить для свойства onClick listItem метод, определенный с одним параметром. У меня есть пример метода, определенный ниже. Метод getAdapterPosition предоставит вам индекс выбранного listItem.
Для получения информации о настройке RecyclerView см. Документацию здесь: https: // developer .android.com / guide / themes / ui / layout / recyclerview.
Каждый раз я использую другой подход. Кажется, что люди сохраняют или получают позицию в представлении, а не хранят ссылку на объект, отображаемый ViewHolder.
Вместо этого я использую этот подход и просто сохраняю его в ViewHolder при вызове onBindViewHolder () и устанавливаю ссылку на null в onViewRecycled ().
Каждый раз, когда ViewHolder становится невидимым, он перерабатывается. Так что это не влияет на потребление большой памяти.
RecyclerView не предоставляет такого метода.
Чтобы управлять событиями щелчка в RecyclerView, я в конечном итоге реализовал onClickListener в своем адаптере при привязке ViewHolder: в моем ViewHolder я сохраняю ссылку на корневое представление (как вы можете делать с вашими ImageViews, TextViews и т. Д.) И при привязке viewHolder Я установил на нем тег с информацией, которая мне нужна для обработки щелчка (например, положение) и прослушивателя щелчков
Мое простое решение
Просто разместите или поместите данные, которые вам нужно получить от активности.
В адаптере onClickListener в элементе в onBindViewHolder
Теперь всякий раз, когда вы меняете положение в RecyclerView, оно удерживается в держателе (или, может быть, его следует называть Listener)
Надеюсь это будет полезно
Мой первый пост; P
Вот самый простой и легкий способ найти позицию выбранного элемента:
Я тоже столкнулся с той же проблемой.
Я хотел найти позицию выделенного / выбранного элемента в RecyclerView () и выполнить некоторые конкретные операции с этим конкретным элементом.
Метод getAdapterPosition () отлично подходит для подобных вещей. Я нашел этот метод после дня долгих исследований и после того, как испробовал множество других методов.
Вам не нужно использовать никаких дополнительных методов. Просто создайте глобальную переменную с именем «position» и инициализируйте ее с помощью getAdapterPosition () в любом из основных методов адаптера (класса или аналогичного).
Вот краткая документация по этой ссылке .
getAdapterPosition, добавленный в версии 22.1.0 int getAdapterPosition () Возвращает позицию адаптера элемента, представленного этим ViewHolder. Обратите внимание, что это может отличаться от getLayoutPosition (), если есть ожидающие обновления адаптера, но новый проход макета еще не произошел. RecyclerView не обрабатывает никаких обновлений адаптера до следующего обхода макета. Это может вызвать временные несоответствия между тем, что пользователь видит на экране, и содержимым адаптера. Это несоответствие не имеет значения, поскольку оно будет меньше 16 мс, но это может стать проблемой, если вы хотите использовать положение ViewHolder для доступа к адаптеру. Иногда вам может потребоваться получить точное положение адаптера для выполнения некоторых действий в ответ на пользовательские события. В этом случае вы должны использовать этот метод, который будет вычислять позицию адаптера ViewHolder.
Рад был помочь. Не стесняйтесь задавать сомнения.
Источник