用html5 canvas和javaScript创建粒子特效,通过定义粒子类实现位置、速度、颜色等属性的控制,结合requestAnimationFrame实现动画循环,在鼠标交互或定时器触发下生成粒子,利用canvas 2D上下文绘制动态视觉效果,并需优化性能避免卡顿。

用html5制作粒子特效,核心是结合canvas>元素和javascript来动态绘制并控制大量微小图形(即“粒子”)的运动与变化。Canvas提供绘图区域,JavaScript负责逻辑处理,两者配合能实现炫酷的视觉效果,比如飘动的星点、爆炸动画或鼠标跟随粒子。
创建Canvas画布
在HTML中先定义一个<canvas>标签,设置宽高,并通过JavaScript获取其2D渲染上下文。
<canvas id="particleCanvas" width="800" height="600"></canvas> <p><script> const canvas = document.getElementById('particleCanvas'); const ctx = canvas.getContext('2d'); </script></p>
设计粒子对象
每个粒子通常是一个包含位置、速度、大小、颜色和生命周期等属性的JavaScript对象。通过构造函数或类定义粒子行为。
class Particle { constructor(x, y) { this.x = x; this.y = y; this.size = Math.random() * 5 + 2; this.speedX = Math.random() * 3 - 1.5; this.speedY = Math.random() * 3 - 1.5; this.color = `hsl(${Math.random() * 360}, 100%, 50%)`; this.life = 100; } <p>update() { this.x += this.speedX; this.y += this.speedY; this.life -= 1; if (this.size > 0.2) this.size -= 0.1; }</p><p>draw() { ctx.fillStyle = this.color; ctx.beginPath(); ctx.arc(this.x, this.y, this.size, 0, Math.PI * 2); ctx.fill(); } }</p>
动画循环与渲染
使用requestAnimationFrame持续更新画面。每帧清空画布,更新粒子状态,移除死亡粒子,并绘制剩余粒子。
立即学习“前端免费学习笔记(深入)”;
const particles = []; <p>function animate() { ctx.clearRect(0, 0, canvas.width, canvas.height);</p><p>for (let i = 0; i < particles.length; i++) { particles[i].update(); particles[i].draw();</p><pre class='brush:php;toolbar:false;'>if (particles[i].life <= 0) { particles.splice(i, 1); i--; }
}
requestAnimationFrame(animate); }
animate();
触发粒子生成
可设定定时器自动发射粒子,或绑定鼠标事件实现交互。例如,在鼠标点击或移动时生成新粒子。
canvas.addEventListener('mousemove', function(e) { const rect = canvas.getBoundingClientRect(); const x = e.clientX - rect.left; const y = e.clientY - rect.top; particles.push(new Particle(x, y)); });
通过调整粒子的速度、颜色渐变、透明度、重力模拟或碰撞检测,还能实现更复杂的效果。关键是控制好性能,避免创建过多粒子导致卡顿。合理使用面向对象和模块化结构,能让代码更易维护。
基本上就这些,不复杂但容易忽略细节。


