在 canvas 中创建流畅的动画

Create smooth animation in canvas

我有一个正在渲染图像的 canvas 对象。当用户单击按钮时,图像将向右移动。我的问题是这个动作不流畅。图像只是跳到指定位置。我怎样才能让这个动作流畅? This is the codepen example谁能帮帮我?

 $(window).on('load', function () {
            myCanvas();
        });

        function myCanvas() {
            var c = document.getElementById("myCanvas");
            var ctx = c.getContext("2d");
            var x = 0;

            function fly() {

                ctx.clearRect(0, 0, c.width, c.height);
                ctx.closePath();
                ctx.beginPath();

                var img = new Image();
                img.onload = function () {
                    ctx.drawImage(img, x, 0);
                };
                img.src = 'http://via.placeholder.com/200x200?text=first';
            }

            fly();

            $('#movebutton').click(function () {
                for (i = 0; i < 200; i++) {
                    x = i;
                    requestAnimationFrame(fly);
                }
            });

        }
 <canvas id="myCanvas" width="960" height="600"></canvas>
    <button id="movebutton">Move</button>
    <script src="https://code.jquery.com/jquery-3.3.1.min.js"></script>

首先,为什么要在帧渲染函数中加载图像 - 如果缓存被禁用,它会每帧请求一个图像!

我重写了脚本,使动画线性流畅,您可以编辑速度变量来调整移动速度。

      $(window).on('load', function () {
        var img = new Image();
        img.onload = function () {
          myCanvas(img);
        };
        img.src = 'http://via.placeholder.com/200x200?text=first';

    });

    function myCanvas(img) {
        var c = document.getElementById("myCanvas");
        var ctx = c.getContext("2d");
        var x = 0;
        var last_ts = -1
        var speed = 0.1

        function renderScene() {
            ctx.clearRect(0, 0, c.width, c.height);
            ctx.closePath();
            ctx.beginPath();
            ctx.drawImage(img, x, 0);             
        }

        function fly(ts) {
            if(last_ts > 0) {
              x += speed*(ts - last_ts)
            }
            last_ts = ts

            if(x < 200) {
              renderScene()
              requestAnimationFrame(fly);
            }
        }
        renderScene()
        $('#movebutton').click(function () {
          x = 0;
          requestAnimationFrame(fly);
        });

    }