How do I pause frame animation using AnimationDrawable? [closed]

I realize this thread is quite old, but since this was the first answer on Google when I was searching for a way to pause an animation, I’ll just post the solution here for someone else to see.
What you need to do is subclass the animation type you’d like to use and then add methods for pausing and resuming the animation. Here is an example for AlphaAnimation:

public class PausableAlphaAnimation extends AlphaAnimation {

    private long mElapsedAtPause=0;
    private boolean mPaused=false;

    public PausableAlphaAnimation(float fromAlpha, float toAlpha) {
        super(fromAlpha, toAlpha);
    }

    @Override
    public boolean getTransformation(long currentTime, Transformation outTransformation) { 
        if(mPaused && mElapsedAtPause==0) {
            mElapsedAtPause=currentTime-getStartTime();
        }
        if(mPaused)
            setStartTime(currentTime-mElapsedAtPause);
        return super.getTransformation(currentTime, outTransformation);
    }

    public void pause() {
        mElapsedAtPause=0;
        mPaused=true;
    }

    public void resume() {
        mPaused=false;
    }
}

This will keep increasing your starttime while the animation is paused, effectively keeping it from finishing and keeping it’s state where it was when you paused.

Hope it helps someone.

Leave a Comment