JavaScript 动画效果的实现
// 动画函数,用于创建和运行动画
function animate(element, property, start, end, duration) {
let startTime = performance.now(); // 获取动画开始的时间
const step = (timestamp) => {
if (!startTime) startTime = timestamp; // 防止startTime未定义
const progress = Math.min((timestamp - startTime) / duration, 1); // 计算进度
element.style[property] = linear(start, end, progress); // 应用当前属性值
if (progress < 1) {
window.requestAnimationFrame(step); // 如果动画未完成,继续请求下一帧
}
};
// 线性插值函数
function linear(startVal, endVal, progress) {
return (startVal + progress * (endVal - startVal)).toFixed(2); // 保留两位小数
}
window.requestAnimationFrame(step); // 开始动画
}
// 使用示例
const element = document.getElementById('myElement'); // 获取元素
animate(element, 'width', 100, 200, 2000); // 改变元素宽度,从100px到200px,在2000毫秒内完成
这段代码定义了一个animate
函数,它接受目标元素、要变化的CSS属性、起始值、结束值以及动画持续时间。animate
函数使用requestAnimationFrame
来实现平滑的动画效果。代码示例展示了如何使用这个函数来改变一个元素的宽度。
评论已关闭