在画布中创建平滑动画

问题描述 投票:1回答:1

我有一个渲染图像的画布对象。当用户单击按钮时,图像将向右移动。我的问题是这个动作不顺畅。图像只是跳到指定位置。怎样才能使这个动作顺畅? 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>
javascript html5 animation canvas requestanimationframe
1个回答
1
投票

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

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

      $(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);
        });

    }
© www.soinside.com 2019 - 2024. All rights reserved.