canvas粒子动画背景的实现示例
程序员文章站
2023-12-03 09:43:16
这篇文章主要介绍了canvas粒子动画背景的实现示例的相关资料,小编觉得挺不错的,现在分享给大家,也给大家做个参考。一起跟随小编过来看看吧... 18-09-03...
效果 :)
不带连线效果:
带连线的效果:
教程
要实现这样的效果其实很简单,大概分为这么几个步骤:
创建canvas
首先需要在需要展示粒子背景的父元素中创建一个canvas
标签, 指定width
和height
, 在我们生成随机点坐标的时候需要用width
和height
来做参照。width
和height
等于父元素的宽和高。
// 假如父元素是body const ele = document.body; const canvas = document.createelement('canvas'); canvas.width = ele.clientwidth; canvas.height = ele.clientheight; // 将canvas标签插入 ele.appendchild(canvas);
随机生成一定数量的点坐标信息
以width
和height
做参照随机生成一定数量的点坐标信息,包含x
, y
, ratex
(点在x轴的移动速率), ratey
(点在y轴移动的速率), ratex
和ratey
决定了点的运动轨迹。
const points = []; // 随机生成点的坐标,需指定radius的最大值 function getpoint(radius) { const x = math.ceil(math.random() * this.width), // 粒子的x坐标 y = math.ceil(math.random() * this.height), // 粒子的y坐标 r = +(math.random() * this.radius).tofixed(4), // 粒子的半径 ratex = +(math.random() * 2 - 1).tofixed(4), // 粒子在x方向运动的速率 ratey = +(math.random() * 2 - 1).tofixed(4); // 粒子在y方向运动的速率 return { x, y, r, ratex, ratey }; } // 随机生成100个点的坐标信息 for (let i = 0; i < 100; i++) { points.push(this.getpoint()); }
将生成的点数组画到canvas上
function drawpoints() { points.foreach((item, i) => { ctx.beginpath(); ctx.arc(item.x, item.y, item.r, 0, math.pi*2, false); ctx.fillstyle = '#fff'; ctx.fill(); // 根据ratex和ratey移动点的坐标 if(item.x > 0 && item.x < width && item.y > 0 && item.y < height) { item.x += item.ratex * rate; item.y += item.ratey * rate; } else { // 如果粒子运动超出了边界,将这个粒子去除,同时重新生成一个新点。 points.splice(i, 1); points.push(getpoint(radius)); } }); }
画线
遍历点数组,两两比较点坐标,如果两点之间距离小于某个值,在两个点之间画一条直线,linewidth
随两点之间距离改变,距离越大,线越细。
// 计算两点之间的距离 function dis(x1, y1, x2, y2) { var disx = math.abs(x1 - x2), disy = math.abs(y1 - y2); return math.sqrt(disx * disx + disy * disy); } function drawlines() { const len = points.length; //对圆心坐标进行两两判断 for(let i = 0; i < len; i++) { for(let j = len - 1; j >= 0; j--) { const x1 = points[i].x, y1 = points[i].y, x2 = points[j].x, y2 = points[j].y, dispoint = dis(x1, y1, x2, y2); // 如果两点之间距离小于150,画线 if(dispoint <= 150) { ctx.beginpath(); ctx.moveto(x1, y1); ctx.lineto(x2, y2); ctx.strokestyle = '#fff'; //两点之间距离越大,线越细,反之亦然 ctx.linewidth = 1 - dispoint / distance; ctx.stroke(); } } } }
动画
使用requestanimationframe
循环调用draw
方法(draw方法里包含画点和画线),同时在draw
的时候根据ratex
和ratey
来改动点的位置。
// 调用draw函数开启动画 (function draw() { ctx.clearrect(0, 0, width, height); drawpoints(); // 如果不需要画线,取消下面这行代码即可。 drawlines(); window.requestanimationframe(draw); }());
完整代码请看: https://github.com/pengjiyuan/particle-bg
我的github:https://github.com/pengjiyuan
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。