利用canvas实现环形进度条

35次阅读

共计 1505 个字符,预计需要花费 4 分钟才能阅读完成。

前提:有时候在项目中会有用到进度条的情况,使用 css3 也可以实现,但是对于性能不好的设备,或者网络不好的情况下,卡顿现象非常明显,避免出现不流畅的尴尬情况,所以记录一下,使用 canvas 来实现的方法。

效果图:

DOM 中,首先定义 canvas 画板元素:

<canvas id="canvas" width="500" height="500" style="background:#F7F7F7;">
    <p>you browser not support canvas!</p>
  </canvas>

对于不支持 canvas 的浏览器则会显示:you browser not support canvas!


接下来是 js 编写:
定义 canvas.js 并在页面引入

var canvas = document.getElementById('canvas'), // 获取 canvas 元素
  context = canvas.getContext('2d'), // 获取画图环境,指明为 2d
  centerX = canvas.width / 2, //Canvas 中心点 x 轴坐标
  centerY = canvas.height / 2, //Canvas 中心点 y 轴坐标
  rad = Math.PI * 2 / 100, // 将 360 度分成 100 份,那么每一份就是 rad 度
  speed = 0.1; // 加载的快慢就靠它了

// 绘制蓝色外圈
function blueCircle(n) {context.save();
  context.beginPath();
  context.strokeStyle = "#49f";
  context.lineWidth = 12;
  context.arc(centerX, centerY, 100, -Math.PI / 2, -Math.PI / 2 + n * rad, false);
  context.stroke();
  context.restore();}

// 绘制白色外圈
function whiteCircle() {context.save();
  context.beginPath();
  context.strokeStyle = "#A5DEF1";
  context.lineWidth = 12;
  context.arc(centerX, centerY, 100, 0, Math.PI * 2, false);
  context.stroke();
  context.closePath();
  context.restore();}

// 百分比文字绘制
function text(n) {context.save();
  context.fillStyle = "#F47C7C";
  context.font = "40px Arial";
  context.textAlign = "center";
  context.textBaseline = "middle";
  context.fillText(n.toFixed(0) + "%", centerX, centerY);
  context.restore();}

// 动画循环
(function drawFrame() {window.requestAnimationFrame(drawFrame, canvas);
  context.clearRect(0, 0, canvas.width, canvas.height);

  whiteCircle();
  text(speed);
  blueCircle(speed);

  if (speed > 100) speed = 0;
  speed += 0.1;
}());
window.requestAnimationFrame(drawFrame, canvas);

每行代码的注释标注非常清楚,如果还有不理解的可以去看 canvas 基础,应该就可以了。

正文完
 0