可使用贝塞尔曲线或参数方程在html5 canvas中绘制爱心:贝塞尔法通过四段bezierCurveTo拟合轮廓并填充;参数方程法依据x=16sin³t、y=13cost−5cos2t−2cos3t−cos4t采样绘点;动态版添加requestAnimationFrame实现浮动动画。

如果您希望在网页中使用 html5 canvas 绘制一个动态或静态的爱心图形,则需要借助 Canvas 的 2D 绘图上下文,通过贝塞尔曲线或数学函数生成爱心轮廓。以下是几种可直接运行的绘制方法:
一、使用贝塞尔曲线绘制静态爱心
该方法利用 Canvas 的 quadraticCurveTo 和 bezierCurveTo 方法,通过控制点拟合出经典爱心上半部分的两个对称弧形与底部尖角。路径闭合后可填充纯色或渐变。
1、获取 canvas 元素并调用 getContext(‘2d’) 获取绘图上下文。
2、使用 beginPath() 开启新路径。
立即学习“前端免费学习笔记(深入)”;
3、调用 moveTo(150, 100) 将画笔移动到左上方起始点。
4、执行 bezierCurveTo(200, 50, 250, 50, 300, 100) 绘制右上弧线。
5、执行 bezierCurveTo(350, 150, 350, 250, 300, 300) 绘制右下弧线至底部尖点。
6、执行 bezierCurveTo(250, 350, 200, 350, 150, 300) 绘制左下弧线。
7、执行 bezierCurveTo(100, 250, 100, 150, 150, 100) 闭合至起点。
8、设置 fillStyle = ‘#e74c3c’ 并调用 fill() 填充颜色。
二、使用参数方程绘制数学爱心
该方法基于笛卡尔坐标系下的爱心参数方程:x = 16 sin³t,y = 13 cos t − 5 cos 2t − 2 cos 3t − cos 4t,通过循环采样 t ∈ [0, 2π] 生成顶点序列,再用 lineTo 连接形成平滑轮廓。
1、定义空数组 points = [] 存储坐标点。
2、使用 for (let t = 0; t 循环遍历参数。
3、按比例缩放计算: x = 16 * math.pow(Math.sin(t), 3) * 10 + centerX。
4、按比例缩放计算: y = -(13 * Math.cos(t) – 5 * Math.cos(2*t) – 2 * Math.cos(3*t) – Math.cos(4*t)) * 10 + centerY。
5、将每组 (x, y) 推入 points 数组。
6、调用 moveTo(points[0].x, points[0].y) 启动路径。
7、遍历其余点,依次调用 lineTo(p.x, p.y) 连线。
8、设置 fillStyle = ‘pink’ 并执行 fill() 完成填充。
三、使用 Path2D 对象复用爱心路径
Path2D 提供了可重用的路径对象,适合多次绘制相同形状(如动画中多个爱心飘落),避免重复路径构造,提升性能。
1、创建路径实例:const heartPath = new Path2D()。
2、对 heartPath 调用 bezierCurveTo 系列方法构建爱心轮廓(同方法一路径指令)。
3、在绘制帧中,直接使用 ctx.fill(heartPath) 或 ctx.stroke(heartPath) 渲染。
4、若需位移,可在调用前使用 ctx.translate(x, y) 移动坐标系原点。
5、若需旋转,配合 ctx.rotate(angle) 与 ctx.save()/ctx.restore() 控制变换范围。
6、每次渲染前调用 ctx.clearRect(0, 0, canvas.width, canvas.height) 清除画布(如用于动画)。
四、添加描边与阴影增强视觉效果
仅填充爱心可能显得单调,通过设置描边宽度、颜色及阴影属性,可显著提升图形表现力,适用于按钮、图标等交互场景。
1、启用描边:ctx.strokeStyle = ‘#c0392b’,并设置 ctx.lineWidth = 2。
2、调用 ctx.stroke(heartPath) 在填充后再次描边(注意顺序影响叠层)。
3、开启阴影:ctx.shadowColor = ‘rgba(0, 0, 0, 0.3)’。
4、设置阴影偏移:ctx.shadowOffsetX = 2,ctx.shadowOffsetY = 2。
5、设定模糊半径:ctx.shadowBlur = 4。
6、在调用 fill() 或 stroke() 前设置上述阴影属性,否则无效。
7、如需关闭阴影,设 ctx.shadowBlur = 0 或在 save()/restore() 块内局部启用。
五、实现爱心浮动动画效果
通过 requestAnimationFrame 驱动爱心在画布中沿正弦轨迹水平移动并轻微上下浮动,模拟轻盈飘落感,适用于欢迎页或加载提示。
1、定义爱心初始位置变量:let x = -50,let y = 150,let phase = 0。
2、在动画主循环中更新:x += 1.2,y = 150 + 20 * Math.sin(phase),phase += 0.05。
3、每次循环前清除画布:ctx.clearRect(0, 0, canvas.width, canvas.height)。
4、保存当前状态:ctx.save()。
5、平移到目标位置:ctx.translate(x, y)。
6、缩放爱心以产生远近感:ctx.scale(0.8 + 0.2 * Math.sin(phase * 2), 0.8 + 0.2 * Math.sin(phase * 2))。
7、绘制预定义的 heartPath:ctx.fill(heartPath)。
8、恢复状态:ctx.restore()。
9、当 x > canvas.width + 100 时,重置 x = -50,phase = Math.random() * Math.PI * 2 实现循环入场。