Created
July 16, 2018 17:54
-
-
Save catalinghita8/8037f2422de46f06fc46c15332fccd71 to your computer and use it in GitHub Desktop.
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
/** | |
* An simple counter implementation of that determines idleness by | |
* maintaining an internal counter. When the counter is 0 - it is considered to be idle, when it is | |
* non-zero it is not idle. This is very similar to the way a Semaphore | |
* behaves. | |
* This class can then be used to wrap up operations that while in progress should block tests from | |
* accessing the UI. | |
*/ | |
public final class SimpleCountingIdlingResource implements IdlingResource { | |
private final String mResourceName; | |
private final AtomicInteger counter = new AtomicInteger(0); | |
// written from main thread, read from any thread. | |
private volatile ResourceCallback resourceCallback; | |
/** | |
* Creates a SimpleCountingIdlingResource | |
* | |
* @param resourceName the resource name this resource should report to Espresso. | |
*/ | |
public SimpleCountingIdlingResource(String resourceName) { | |
mResourceName = checkNotNull(resourceName); | |
} | |
@Override | |
public String getName() { | |
return mResourceName; | |
} | |
@Override | |
public boolean isIdleNow() { | |
return counter.get() == 0; | |
} | |
@Override | |
public void registerIdleTransitionCallback(ResourceCallback resourceCallback) { | |
this.resourceCallback = resourceCallback; | |
} | |
/** | |
* Increments the count of in-flight transactions to the resource being monitored. | |
*/ | |
public void increment() { | |
counter.getAndIncrement(); | |
} | |
/** | |
* Decrements the count of in-flight transactions to the resource being monitored. | |
* | |
* If this operation results in the counter falling below 0 - an exception is raised. | |
* | |
* @throws IllegalStateException if the counter is below 0. | |
*/ | |
public void decrement() { | |
int counterVal = counter.decrementAndGet(); | |
if (counterVal == 0) { | |
// we've gone from non-zero to zero. That means we're idle now! Tell espresso. | |
if (null != resourceCallback) { | |
resourceCallback.onTransitionToIdle(); | |
} | |
} | |
if (counterVal < 0) { | |
throw new IllegalArgumentException("Counter has been corrupted!"); | |
} | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment