Created
May 14, 2013 03:09
-
-
Save rfreedman/5573388 to your computer and use it in GitHub Desktop.
A debounced onClickListener for Android
This file contains hidden or 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
import android.os.SystemClock; | |
import android.view.View; | |
import java.util.Map; | |
import java.util.WeakHashMap; | |
/** | |
* A Debounced OnClickListener | |
* Rejects clicks that are too close together in time. | |
* This class is safe to use as an OnClickListener for multiple views, and will debounce each one separately. | |
*/ | |
public abstract class DebouncedOnClickListener implements View.OnClickListener { | |
private final long minimumInterval; | |
private Map<View, Long> lastClickMap; | |
/** | |
* Implement this in your subclass instead of onClick | |
* @param v The view that was clicked | |
*/ | |
public abstract void onDebouncedClick(View v); | |
/** | |
* The one and only constructor | |
* @param minimumIntervalMsec The minimum allowed time between clicks - any click sooner than this after a previous click will be rejected | |
*/ | |
public DebouncedOnClickListener(long minimumIntervalMsec) { | |
this.minimumInterval = minimumIntervalMsec; | |
this.lastClickMap = new WeakHashMap<View, Long>(); | |
} | |
@Override public void onClick(View clickedView) { | |
Long previousClickTimestamp = lastClickMap.get(clickedView); | |
long currentTimestamp = SystemClock.uptimeMillis(); | |
lastClickMap.put(clickedView, currentTimestamp); | |
if(previousClickTimestamp == null || (currentTimestamp - previousClickTimestamp.longValue() > minimumInterval)) { | |
onDebouncedClick(clickedView); | |
} | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
I used this and it worked for regular events, but when my click event triggers an adapter.notifyDataSetChanged call, the previousClickStamp gets reset.