Movatterモバイル変換


[0]ホーム

URL:


Skip to content

Navigation Menu

Search code, repositories, users, issues, pull requests...

Provide feedback

We read every piece of feedback, and take your input very seriously.

Saved searches

Use saved searches to filter your results more quickly

Sign up

A ViewPager and PagerAdapter combination that support auto scroll, infinite loop and page indicators.

NotificationsYou must be signed in to change notification settings

siralam/LoopingViewPager

Repository files navigation

I think I am not maintaining version 1.x.x anymore, and if I have time and interested in the future, I might re-write it using Compose.

With that said, I do think v1.4.1 is stable enough to use with ViewPager (Not ViewPager2). In case it is having issue with new versions of Kotlin / Android libraries, I wish you can folk it and use it with simple fixes. Thank you!

LoopingViewPager

A ViewPager and a PagerAdapter that can:

  1. AutoScroll (On/Off able)
  2. Infinite Loop (On/Off able)
  3. Adjustable auto scroll interval
  4. Won't scroll nor loop if there is only 1 item
  5. Works well with notifyDataSetChanged()
  6. Supports page indicators
  7. Supports different view types
  8. Support peeking adjacent items (But first and last item will appear only after scroll state is idle)

Demo Effect

Auto Scroll and Infinite LoopManual Scroll and Infinite LoopPage skipping

Why this library

Although there are already quite a number of similar libraries out there,
I cannot find one that fits all of the below requirements:

  1. Sufficient documentation
  2. Last updated in less than 3 years
  3. Good infinite looping effect
  4. Configurable auto-scroll
  5. Good support with Page Indicators

Especially for 5, even some of them supports, they provide built-in indicators only; or does not tell user how to implement their own indicator.
I wrote this library to tackle all of these problems I faced after trying a whole day with other libraries.

Usage

Add to Project

First make suremavenCentral() is included as a repository in yourproject's build.gradle:

allprojects {    repositories {        mavenCentral()    }}

And then add the below to your app's build.gradle:

    implementation'com.asksira.android:loopingviewpager:1.4.1'

Step 1: Create LoopingViewPager in XML

    <com.asksira.loopingviewpager.LoopingViewPagerandroid:id="@+id/viewpager"android:layout_width="0dp"android:layout_height="0dp"app:isInfinite="true"app:autoScroll="true"app:scrollInterval="5000"app:layout_constraintDimensionRatio="1.78"/>

(The above xml example is placed inside a ConstraintLayout.)

Attribute NameDefaultAllowed Values
isInfinitefalsetrue / false
autoScrollfalsetrue / false
scrollInterval5000any integer (represents ms)

Please note that the height ofLoopingViewPager should be decided by its parent, like all other Views.
If you want it to have a specific aspect ratio, you can place it inside aConstraintLayout and give it the attributelayout_constraintDimensionRatio.

(The old versions of this library uses an internal attribute to determine its height, which is completely wrong and can lead to bugs!)

Note: If you want the ViewPager to be able to peek adjacent items, make use ofclipToPadding=false and set padding to the ViewPager. (itemAspectRatio has been removed in v1.4.1)

Step 2: Create your PagerAdapter that extends LoopingPagerAdapter

You should

  1. Specify the data type in the generic (<DataType>)
  2. Create your own constructor according to thisDataType
  3. overrideinflateView() andbindView()
  4. DO NOT override getCount(). Look atLoopingPagerAdapter. getCount() has special implementation.
classDemoInfiniteAdapter(itemList:ArrayList<YourObject>,isInfinite:Boolean) : LoopingPagerAdapter<YourObject>(itemList, isInfinite) {//This method will be triggered if the item View has not been inflated before.overridefuninflateView(viewType:Int,container:ViewGroup,listPosition:Int    ):View {returnLayoutInflater.from(container.context).inflate(R.layout.item_pager, container,false)    }//Bind your data with your item View here.//Below is just an example in the demo app.//You can assume convertView will not be null here.//You may also consider using a ViewHolder pattern.overridefunbindView(convertView:View,listPosition:Int,viewType:Int    ) {        convertView.findViewById<View>(R.id.image).setBackgroundColor(convertView.context.resources.getColor(getBackgroundColor(listPosition)))val description= convertView.findViewById<TextView>(R.id.description)        description.text= itemList?.get(listPosition).toString()    }}

Step 3: Bind LoopingViewPager with your Adapter

        adapter=DemoInfiniteAdapter(dataItems,true)        loopingViewPager.setAdapter(adapter)

Step 4: Resume and Pause autoScroll in your Activity (If you need autoScroll)

overridefunonResume() {super.onResume()        loopingViewPager.resumeAutoScroll()    }overridefunonPause() {        loopingViewPager.pauseAutoScroll()super.onPause()    }

Handling dataSet change

If you have new data to update to your adapter, simply call:

adapter.setItemList(newItemList)viewPager.reset()//In order to reset the current page position

How do I implement different View types?

Simple! Override one more method in your Adapter:

overridefungetItemViewType(listPosition:Int):Int {returnif (itemList?.get(listPosition)==0)VIEW_TYPE_SPECIALelseVIEW_TYPE_NORMAL    }

And then, of course, according to theviewtype parameter passed to you ininflateView() andbindView(), differentiate what you need to inflate or bind.

You may also refer to the demo app for a complete example.

How do I integrate a Page Indicator?

I don't officially provide a built-in page indicator because:

  1. ViewPager and Indicator are logically separated
  2. I want to make this library adaptable to all page indicators

With that said, I have created a simpleCustomShapePagerIndicator included in this library.
It is simple but very flexible, because you need to / you can provide your own implementation of how to inflate the unselected and selected indicators.

I assume for any indicator libraries you use, they should provide a method for you to call so that you can simply redirectonPageScrolled(position: Int, positionOffset: Float, positionOffsetPixels: Int) ofViewPager.OnPageChangeListener to the indicator library,
And then the indicator library will then be able to handle the transitions for you, which is also the case inCustomShapePagerIndicator.

So, the job ofLoopingViewPager is simply to mask the infinite behavior into aonPageScrolled behavior which looks like it is not infinite.
In other words, when you scroll from last page to first page, it will be converted to directing jumping from last page back to first page;
When you scroll from first page backward to last page, it will be converted to directing jumping from first page to last page.
If you do not accept this assumption, I am sorry but you probably need to find something else.

So, instead of adding anotheronPageChangeListener, you simply do this:
(Below example is using built inCustomShapePagerIndicator)

loopingViewPager.onIndicatorProgress= { selectingPosition, progress->     indicatorView.onPageScrolled(selectingPosition, progress)}

Note that this is a brand new implementation of howLoopingViewPager in v1.3.0, after I realized how wrong I was 2 years ago.
If you need to stick with the old implementation, please use v1.2.0 and checkout the README.md at the commit before this version.

If you want to use CustomShapePagerIndicator, here is how

(You can always refer to the demo app.)

First, addCustomShapePagerIndicator to your XML, use wrap_content for width and height,
And specify the spacing between unselected indicators (app:indicator_spacing="?dp"):

    <com.asksira.android.customshapepagerindicator.CustomShapePagerIndicatorandroid:id="@+id/indicator"android:layout_width="wrap_content"android:layout_height="wrap_content"app:layout_constraintBottom_toBottomOf="@id/viewpager"app:layout_constraintLeft_toLeftOf="parent"app:layout_constraintRight_toRightOf="parent"android:layout_marginBottom="8dp"app:indicator_spacing="4dp"/>

Then, tell the indicator how to inflate your unselected of highlighter indicators:

        customShapePagerIndicator.highlighterViewDelegate= {val highlighter=View(this)            highlighter.layoutParams=FrameLayout.LayoutParams(16.dp(),2.dp())            highlighter.setBackgroundColor(getColorCompat(R.color.white))            highlighter        }        customShapePagerIndicator.unselectedViewDelegate= {val unselected=View(this)            unselected.layoutParams=LinearLayout.LayoutParams(16.dp(),2.dp())            unselected.setBackgroundColor(getColorCompat(R.color.white))            unselected.alpha=0.4f            unselected        }

Note that you must provide a fixed width and height for your indicators.
BecauseCustomShapePagerIndicator use margins internally to handle indicator spacing, please do not specify your own margin when providing your own views.

Finally, for the first time and whenever you need to update your indicator counts:

customShapePagerIndicator.updateIndicatorCounts(loopingViewPager.indicatorCount)

Release notes

v1.4.1

  • Removed setting aspect ratio inside LoopingViewPager. Let its parent to decide how to layout it (i.e. its height).
  • Same as above, removed itemAspectRatio as well. You can actually simply set it through padding andclipToPadding=false.
  • Removed unnecessary context as a param in LoopingPagerAdapter's constructor.
  • Migrated from JCenter() to MavenCentral().

v1.3.2

  • Fixed crash due to getChildAt() returns null

v1.3.1

  • Converted everything to Kotlin
  • Revamp the whole logic of pager indicator handling
  • Added built-inCustomShapePagerIndicator

v.1.2.0

  • Added requirement mentioned in #17.

v1.1.4

  • Merged #11.

v1.1.3

  • Merged #15 which includes AndroidX support andresetAutoScroll() which is equivalent topauseAutoScroll() and thenresumeAutoScroll().

v1.1.2

  • AddedViewGroup container as an argument toinflateView(). You should now use it as the parent of when you inflate your view.
  • Updated gradle version and support library version.

v1.1.0

  • Added support for view type. But therefore changed parameters needed ininflateView() andbindView().

v1.0.5

  • Added asepct ratio attribute forLoopingViewPager
  • Rewrote the way of caching Views inLoopingPagerAdapter, and therefore separated inflation and data binding
  • Rewrote the way of implementing ViewPager wrap_content

v1.0.4

  • Indicator now works with page skipping as well (By callingselectCurrentItem())
  • Leviated indicator fluctuating phenomenon when usingonIndicatorProgress() callback
  • Added option for smart or non-smart indicators

v1.0.1

  • Fixed a bug where getSelectingIndicatorPosition() is returning incorrect value.
  • Updated README.md according to PageIndicatorView v1.0.0 update.

License

Copyright 2017 Sira LamPermission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the LoopingViewPager), to deal in the Software without restriction,including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense,and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so,subject to the following conditions:The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED,INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSEAND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.

[8]ページ先頭

©2009-2025 Movatter.jp