Last active
March 20, 2018 05:12
-
-
Save li2/765a7dfdc03d882b9ce5 to your computer and use it in GitHub Desktop.
Android 按键去抖动处理 / 防止连续多次点击。Avoid multiple rapid button click at same time in android. #tags: android-view
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. | |
* http://stackoverflow.com/questions/16534369/avoid-button-multiple-rapid-clicks | |
*/ | |
public abstract class OnDebouncedClickListener implements View.OnClickListener { | |
private static final int DEFAULT_MINIMUM_INTERVAL = 222; // ms | |
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); | |
public OnDebouncedClickListener() { | |
this(DEFAULT_MINIMUM_INTERVAL); | |
} | |
/** | |
* Constructor | |
* @param minimumIntervalMsec The minimum allowed time between clicks - | |
* any click sooner than this after a previous click will be rejected. | |
*/ | |
public OnDebouncedClickListener(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); | |
} | |
} | |
} |
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
// usage 1 | |
button.setOnClickListener(new OnDebouncedClickListener() { | |
@Override | |
public void onDebouncedClick(View v) { | |
// do some stuff when button clicked | |
} | |
}); | |
// usage 2 | |
button.setOnClickListener(new OnDebouncedClickListener(500) { | |
@Override | |
public void onDebouncedClick(View v) { | |
// do some stuff when button clicked | |
} | |
}); | |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment