Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Jquery - defer callback until multiple animations are complete

I need a callback to execute once after multiple elements have finished animating. My jquery selector is as follows:

$('.buttons').fadeIn('fast',function() {
   // my callback
});

The problem with this is that the buttons class matches a number of elements, all of which need to be faded in before the callback is executed. As it stands now, the callback is executed after each individual element has finished animating. This is NOT the desired function. I'm looking for an elegant solution such that my callback is only executed once after all the matched elements have finished animating. This question has popped up in a few places including SO, but there's never been an elegant answer (nor even a definitive answer for that matter - solutions that work for one person don't work at all for others).

like image 891
Richard Avatar asked Mar 07 '11 14:03

Richard


4 Answers

jQuery introduced a promise in version 1.6 and is far more elegant than adding counters.

Example:

// Step 1: Make your animation
$(".buttons").each(function() {
    $(this).fadeIn("fast");
});

// Step 2: Attach a promise to be called once animation is complete
$(".buttons").promise().done(function() {
    // my callback
});
like image 139
Sebastian Patten Avatar answered Nov 09 '22 23:11

Sebastian Patten


For collecting unrelated element animations into a single callback you can do this:

$.when(
    $someElement.animate(...).promise(),
    $someOtherElement.animate(...).promise()
).done(function() {
    console.log("Both animations complete");
});
like image 31
parliament Avatar answered Nov 09 '22 21:11

parliament


An alternative to @Ross's answer that will always trigger the callback on the last button to fade in (which may or may not be the last button that was told to animate) could be:

var buttons = $(".buttons");
var numbuttons = buttons.length;
var i = 0;

buttons.fadeIn('fast', function() {
    i++;
    if(i == numbuttons) {
        //do your callback stuff
    }
});
like image 5
Riley Dutton Avatar answered Nov 09 '22 23:11

Riley Dutton


var $buttons = $('.buttons');

$buttons.each( function (index) { 
    if ( index == $buttons.length - 1 ) {
        $(this).fadeIn('fast',function() {
           // my callback
        });
    } else {
        $(this).fadeIn('fast');
    }
});

Untested but this should apply the callback to the last button only.

like image 1
Ross Avatar answered Nov 09 '22 23:11

Ross