加载笔记内容...
加载笔记内容...
animation-timing-function 是控制动画速度曲线的核心属性,其本质是通过数学函数控制动画的进度百分比与时间进度的映射关系。我们可以将其分为两类核心机制:
连续型函数:通过贝塞尔曲线控制平滑过渡
离散型函数:通过steps()实现分帧动画
1steps(number_of_steps, direction)
传统参数start/end与新规范对应关系:
浏览器将动画时间均分为N个间隔,在每个间隔开始时更新样式。例如:
1@keyframes progress {
2 from { width: 0; }
3 to { width: 300px; }
4}
5
6.progress-bar {
7 animation: progress 3s steps(3, jump-end);
8}
动画将分为3个等分(每1秒跳跃一次),分别在1s、2s、3s时设置width为100px、200px、300px。
实现游戏精灵动画:
1.sprite {
2 width: 64px;
3 height: 64px;
4 background: url(sprite-sheet.png) 0 0;
5 animation: walk 1s steps(6) infinite;
6}
7
8@keyframes walk {
9 from { background-position: 0 0; }
10 to { background-position: -384px 0; }
11}
通过将384px宽的雪碧图分为6帧(64px/帧),实现逐帧动画效果。
函数类型 | 适用场景 | 性能影响 | 流畅度 |
---|---|---|---|
cubic-bezier | 自然运动(弹跳、缓入出) | 较低 | 高 |
linear | 机械运动、颜色过渡 | 最低 | 中 |
steps() | 逐帧动画、离散状态 | 最低 | 低 |
性能提示:避免在steps()中设置过多分段(建议不超过30帧),过高的分段数可能导致内存压力。
1.animation {
2 animation: slide 1s ease;
3}
4
5@media (prefers-reduced-motion: reduce) {
6 .animation {
7 animation-duration: 0.01s;
8 animation-iteration-count: 1;
9 }
10}
相较于直接禁用动画,渐进式降级方案更优:
策略 | 优点 | 缺点 |
---|---|---|
animation: none | 彻底避免运动 | 可能破坏界面状态 |
缩短时长 | 保留过渡效果 | 需要精细调试 |
opacity过渡 | 低运动敏感性 | 适用范围有限 |
问题现象:steps动画结束时闪烁
解决方案:
1animation: flicker 1s steps(5, jump-none);
使用jump-none保持最终状态,避免最后一帧回跳
问题现象:动画执行次数不符合预期
诊断方法:
1getComputedStyle(element).animationIterationCount // 验证计算值
1.optimized {
2 transform: translateZ(0);
3 backface-visibility: hidden;
4}
1CSS.registerProperty({
2 name: '--step-index',
3 syntax: '<integer>',
4 inherits: false,
5 initialValue: 0
6});
争议讨论:steps()是否应该支持非等分时间间隔?
目前规范要求等分时间间隔,但实际工程中常需要非均匀时间分配。现有解决方案是通过多个关键帧模拟:
1@keyframes uneven-steps {
2 0%, 60% { /* 第一段 */ }
3 60%, 90% { /* 第二段 */ }
4 90%, 100% { /* 第三段 */ }
5}
最佳实践建议:
参考资料: