Continuous animation on hover (performance)

前端 未结 2 1428
攒了一身酷
攒了一身酷 2021-02-06 07:11

I\'ve created a jQuery function that scrolls a DIV by decreasing the left-margin of the element. It works, but it\'s incredibly slow. It eats up 100% CPU in no time :s



        
2条回答
  •  盖世英雄少女心
    2021-02-06 07:32

    function play () {
      $('#ball').animate({left: '+=20'}, 100, 'linear', play);
    }
    
    function pause () {
      $('#ball').stop();
    }
    
    $("#bar").hover( play, pause );
    #bar {
      margin-top: 20px;
      background: #444;
      height: 20px;
    }
    #bar:hover #ball {
      background: lightgreen;
    }
    
    #ball {
      position: relative;
      left: 0;
      width: 20px;
      height: 20px;
      background: red;
      border-radius: 50%;
    }

    This is really simple without the setInterval or even setTimeout.

    • The only important thing is to know that .animate() accepts a function callback, ideal for our purpose to create loop a function. Make sure to use the linear easing instead of the default 'swing' to make our loop constant.
    • To stop our animations we can use stop() to prevent animation buildups.
    • Simply create 2 functions and use them in your hover method.

    Using CSS3

    and toggling play/pause classes using jQuery:

    function play() {
      $('#ball').addClass("play").removeClass("pause");
    }
    
    function pause() {
      $('#ball').addClass("pause"); // don't remove .play here
    }
    
    $("#bar").hover(play, pause);
    #bar {
      margin-top: 20px;
      background: #444;
      height: 20px;
    }
    #bar:hover #ball {
      background: lightgreen;
    }
    #ball {
      position: relative;
      left: 0;
      width: 20px;
      height: 20px;
      background: red;
      border-radius: 50%;
    }
    
    .play {
      animation: ball-anim 5s infinite linear;
    }
    .pause {
      animation-play-state: paused;
    }
    @keyframes ball-anim {
      0%   { left: 0; }
      50%  { left: calc(100% - 20px); }
      100% { left: 0; }
    }

提交回复
热议问题