AdvancedRecyclerView


Source link: https://github.com/StephenVinouze/AdvancedRecyclerView

AdvancedRecyclerView

Single choice Multiple choice Sections

Gradle Dependency

Add this in your root build.gradle file:

allprojects {
  repositories {

// ... other repositories
maven {
 url "https://jitpack.io" 
}
  
}
 
}

Then add the dependencies that you need in your project.

def advancedrecyclerview_version = "{
latest_version
}
"  dependencies {

 // ... other dependencies here
compile "com.github.StephenVinouze.AdvancedRecyclerView:core:${
advancedrecyclerview_version
}
"
compile "com.github.StephenVinouze.AdvancedRecyclerView:section:${
advancedrecyclerview_version
}
"
compile "com.github.StephenVinouze.AdvancedRecyclerView:pagination:${
advancedrecyclerview_version
}
"
compile "com.github.StephenVinouze.AdvancedRecyclerView:gesture:${
advancedrecyclerview_version
}
" 
}

If you need to fetch the section module, just declare it in your dependencies without the core as the latter is included in the section module. Also pagination and gesture depend on the section module so same thing applies for these two modules.

Usage

Note that this library, although written in Kotlin, will perfectly work in a Java environment. As such, the sample provided in this repository has been written in Java to prove its interoperability. The only limitation you will face while using this library in a Java environment is that you will need to use Java 8 if you need the section module as sections are built using Lambdas.

The following examples illustrating how to use this library will be written in Java to keep track of the sample module and illustrate how to use Kotlin lambdas and extensions in Java.

Core

The core module contains the basic logic to easily manipulate a RecyclerView. It allows you to define your adapter in a blink of the eye, with a already built-in ViewHolder pattern so that you just need to define how your items will be laid out in your list.

Define your own adapter that overrides RecyclerAdapter and template it with the model that will be used to populate your list. Let's name it Sample and SampleItemView the View that will be displayed in each row of your list. Finally implement two abstract methods to specify how to display your views in your list:

public class SampleAdapter extends RecyclerAdapter<Sample> {

public SampleAdapter(Context context) {

super(context);

  
}

@NotNull
  @Override
  protected View onCreateItemView(@NotNull ViewGroup parent, int viewType) {

return new SampleItemView(getContext());

  
}

@Override
  protected void onBindItemView(@NonNull View itemView, int position) {

Sample sample = getItems().get(position);

SampleItemView sampleItemView = (SampleItemView)itemView;

sampleItemView.bind(sample);

  
}
 
}

And Sample our basic model:

public class Sample {

  public int id;
  public int rate;
  public String name; 
}

That's it! You can now instanciate your SampleAdapter, set it some Sample items and apply it to your RecyclerView by calling:

SampleAdapter sampleAdapter = new SampleAdapter(getActivity());
 sampleAdapter.setItems(yourSampleItems);
  yourRecyclerView.setAdapter(sampleAdapter);

In addition, the core module also provides within the RecyclerAdapter abstract class some useful features such as ChoiceMode to easily configure a list with either NONE (default), SINGLE or MULTIPLE and retrieve all selected items in your list.

Finally, you can listen to click events and easily respond to it by setting a clickCallback to your SampleAdapter.

A full example using these features would look like:

final SampleAdapter sampleAdapter = new SampleAdapter(getActivity());
 sampleAdapter.setItems(yourSampleItems);
 sampleAdapter.setChoiceMode(RecyclerAdapter.ChoiceMode.MULTIPLE);
 sampleAdapter.setClickCallback(new ClickCallback() {

 @Override

 public void onItemClick(@NonNull View view, int position) {

  Toast.makeText(getActivity(), sampleAdapter.getSelectedItemViewCount() + " items selected)", Toast.LENGTH_SHORT).show();

 
}

}
);
  yourRecyclerView.setAdapter(sampleAdapter);

Section

The section module allows you to easily build sections within your list. To do so, you must override the RecyclerSectionAdapter abstract class. This class extends from RecyclerAdapter and provides two more abstract methods to shape your views that will be displayed as sections. The building itself will be automatically taken care of by a lambda that you must provide in your constructor. Let's call it SampleSectionAdapter and SampleSectionItemView our new classes to manage our sections:

public class SampleSectionAdapter extends RecyclerSectionAdapter<Integer, Sample> {

public SampleSectionAdapter(Context context) {

super(context, (sample -> sample.getRate()));

  
}

// ... RecyclerAdapter abstract methods to implement as well

@NonNull
  @Override
  public View onCreateSectionItemView(@NonNull ViewGroup parent, int viewType) {

return new SampleSectionItemView(getContext());

  
}

@Override
  public void onBindSectionItemView(@NonNull View sectionView, int sectionPosition) {

SampleSectionItemView sampleSectionItemView = (SampleSectionItemView)sectionView;

sampleSectionItemView.bind(sectionAt(sectionPosition));

  
}
 
}

Note the Integer generic type in the class declaration. This is require to indicate the type that will contains the section. In our case, we want to sort them by rate. This will be done via the constructor that contains a lambda (sample -> sample.rate). That's it! Using sampleSectionAdapter.setItems(yourSampleItems) will do the magic for you! You may want before settings your items sorting them in any way you want (e.g. : in an ascending order).

Pagination

You may want to paginate your content. The pagination module lets you do it without a breaking a sweat by providing an extension to the RecyclerView class. You just need to call the onPaginate method. The callback will be called every time you reach the end of your content.

To make it even smoother, the triggering depends on the amount of elements in your list to be triggered a bit before reaching the bottom so that the user does not notify the loading.

PaginationKt.onPaginate(yourRecylerView, new PaginationCallback() {

 @Override

 public void fetchNextPage(int nextPage) {

  // Load your next page, refresh your content, etc.

 
}

}
);

As a limitation, the pagination events won't be triggered if your list contains sections. Also, the library is only supporting pagination for LinearLayoutManager as of now.

Gesture

The gesture module allows you to enable swipe-to-delete and/or move gestures from your RecyclerView. Same as the pagination module, we leverage the Kotlin language to create another extension method to the RecyclerView class.

GestureKt.onGesture(yourRecyclerView, ItemTouchHelper.UP | ItemTouchHelper.DOWN, ItemTouchHelper.LEFT | ItemTouchHelper.RIGHT, new GestureCallback() {

 @Override

 public boolean onMove(int fromPosition, int toPosition) {

  Toast.makeText(getActivity(), "Item selected : " + sectionAdapter.getSelectedItemViews(), Toast.LENGTH_SHORT).show();

  return false;

 
}

  @Override

 public void onSwiped(int position, int direction) {

  Toast.makeText(getActivity(), "Item selected : " + sectionAdapter.getSelectedItemViews(), Toast.LENGTH_SHORT).show();

 
}

}
);

Gestures depend whether your list contains sections as the library needs to do some extra computations to correctly position your items while your list is being updated. Although the gestures is fully working with sections, the re-computations lead to animation drawbacks and limit the move gesture to one item at a time. Finally, you won't be able to move items from one section into another section as it would break the section behavior of your list.

Pull requests

I welcome and encourage all pull requests. I might not be able to respond as fast as I would want to but I endeavor to be as responsive as possible.

All PR must:

  1. Be written in Kotlin
  2. Maintain code style
  3. Indicate whether it is a enhancement, bug fix or anything else
  4. Provide a clear description of what your PR brings
  5. Enjoy coding in Kotlin :)

Resources

Banner slider is an easy to use library for implement image sliders in android apps.

EqualsVerifier can be used in Java unit tests to verify whether the contract for the equals and hashCode methods in a class is met.

A simple cache for android and java.

Shutterbug is an Android library that lets you fetch remote images and cache them. It is particularly suited for displaying remote images in lists or grids as it includes a convenience subclass of ImageView (FetchableImageView) that make implementation a one-liner.

Agrona provides a library of data structures and utility methods that are a common need when building high-performance applications in Java. Many of these utilities are used in the Aeron efficient reliable UDP unicast, multicast, and IPC message transport and provides high-performance buffer implementations to support the Simple Binary Encoding Message Codec.

Predator is a minimalistic client for ProductHunt. It shows latest products and collections fetched via ProductHunt api. It also offers other information like media and comments associated with that product.

Topics


2D Engines   3D Engines   9-Patch   Action Bars   Activities   ADB   Advertisements   Analytics   Animations   ANR   AOP   API   APK   APT   Architecture   Audio   Autocomplete   Background Processing   Backward Compatibility   Badges   Bar Codes   Benchmarking   Bitmaps   Bluetooth   Blur Effects   Bread Crumbs   BRMS   Browser Extensions   Build Systems   Bundles   Buttons   Caching   Camera   Canvas   Cards   Carousels   Changelog   Checkboxes   Cloud Storages   Color Analysis   Color Pickers   Colors   Comet/Push   Compass Sensors   Conferences   Content Providers   Continuous Integration   Crash Reports   Credit Cards   Credits   CSV   Curl/Flip   Data Binding   Data Generators   Data Structures   Database   Database Browsers   Date &   Debugging   Decompilers   Deep Links   Dependency Injections   Design   Design Patterns   Dex   Dialogs   Distributed Computing   Distribution Platforms   Download Managers   Drawables   Emoji   Emulators   EPUB   Equalizers &   Event Buses   Exception Handling   Face Recognition   Feedback &   File System   File/Directory   Fingerprint   Floating Action   Fonts   Forms   Fragments   FRP   FSM   Functional Programming   Gamepads   Games   Geocaching   Gestures   GIF   Glow Pad   Gradle Plugins   Graphics   Grid Views   Highlighting   HTML   HTTP Mocking   Icons   IDE   IDE Plugins   Image Croppers   Image Loaders   Image Pickers   Image Processing   Image Views   Instrumentation   Intents   Job Schedulers   JSON   Keyboard   Kotlin   Layouts   Library Demos   List View   List Views   Localization   Location   Lock Patterns   Logcat   Logging   Mails   Maps   Markdown   Mathematics   Maven Plugins   MBaaS   Media   Menus   Messaging   MIME   Mobile Web   Native Image   Navigation   NDK   Networking   NFC   NoSQL   Number Pickers   OAuth   Object Mocking   OCR Engines   OpenGL   ORM   Other Pickers   Parallax List   Parcelables   Particle Systems   Password Inputs   PDF   Permissions   Physics Engines   Platforms   Plugin Frameworks   Preferences   Progress Indicators   ProGuard   Properties   Protocol Buffer   Pull To   Purchases   Push/Pull   QR Codes   Quick Return   Radio Buttons   Range Bars   Ratings   Recycler Views   Resources   REST   Ripple Effects   RSS   Screenshots   Scripting   Scroll Views   SDK   Search Inputs   Security   Sensors   Services   Showcase Views   Signatures   Sliding Panels   Snackbars   SOAP   Social Networks   Spannable   Spinners   Splash Screens   SSH   Static Analysis   Status Bars   Styling   SVG   System   Tags   Task Managers   TDD &   Template Engines   Testing   Testing Tools   Text Formatting   Text Views   Text Watchers   Text-to   Toasts   Toolkits For   Tools   Tooltips   Trainings   TV   Twitter   Updaters   USB   User Stories   Utils   Validation   Video   View Adapters   View Pagers   Views   Watch Face   Wearable Data   Wearables   Weather   Web Tools   Web Views   WebRTC   WebSockets   Wheel Widgets   Wi-Fi   Widgets   Windows   Wizards   XML   XMPP   YAML   ZIP Codes