Jquery change background color

Jquery

Jquery Problem Overview


I was trying out jquery with this example:

 $(document).ready(function(){
      $("button").mouseover(function(){
        $("p#44.test").css("background-color","yellow");
        $("p#44.test").hide(1500);
        $("p#44.test").show(1500);
        $("p#44.test").css("background-color","red");
      });
    });

I expected the following to happen:

1. Color of <p> to turn yellow
2. <p> to slowly fade
3. <p> to slowly show
4. Color of <p> to turn red

But this is what actually happened:

1. <p> turned red
2. <p> slowly hid away
3. <p> slowly showed

Why is that?

Jquery Solutions


Solution 1 - Jquery

The .css() function doesn't queue behind running animations, it's instantaneous.

To match the behaviour that you're after, you'd need to do the following:

$(document).ready(function() {
  $("button").mouseover(function() {
    var p = $("p#44.test").css("background-color", "yellow");
    p.hide(1500).show(1500);
    p.queue(function() {
      p.css("background-color", "red");
    });
  });
});

The .queue() function waits for running animations to run out and then fires whatever's in the supplied function.

Solution 2 - Jquery

try putting a delay on the last color fade.

$("p#44.test").delay(3000).css("background-color","red");

https://stackoverflow.com/questions/70579/what-is-a-valid-value-for-id-attributes-in-html
ID's cannot start with digits!!!

Solution 3 - Jquery

This is how it should be:

Code:

$(function(){
  $("button").mouseover(function(){
    var $p = $("#P44");
    $p.stop()
      .css("background-color","yellow")
      .hide(1500, function() {
          $p.css("background-color","red")
            .show(1500);
      });
  });
});

Demo: http://jsfiddle.net/p7w9W/2/

Explanation:

You have to wait for the callback on the animating functions before you switch background color. You should also not use only numeric ID:s, and if you have an ID of your <p> there you shouldn't include a class in your selector.

I also enhanced your code (caching of the jQuery object, chaining, etc.)

Update: As suggested by VKolev the color is now changing when the item is hidden.

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionaWebDeveloperView Question on Stackoverflow
Solution 1 - JqueryKlemen SlavičView Answer on Stackoverflow
Solution 2 - JqueryaustinbvView Answer on Stackoverflow
Solution 3 - JqueryPeter ÖrneholmView Answer on Stackoverflow