我有一个正在使用的 Web 组件attributeChangedCallback
attributeChangedCallback(name, oldValue, newValue) {
// TODO: use something like rxjs debounce time?
this.expensiveRenderer()
}
我正在为每个动画帧上的两个属性设置新值:此外,这可以增加到设置 4 个属性。
component.setAttribute("att1", r);
component.setAttribute("att2", p);
这将触发attributeChangedCallback
两次,昂贵的渲染器也会触发两次。
有没有一种有效的方法将两个属性设置在一起,或者将更改的效果作为一个类似于去抖动时间的单个事件?
我对使用setTimeout
/有点怀疑,clearTimeout
因为它在每个动画帧 60 fps 上调用。
为了提供更好的概述,我的组件看起来有点像:
<mm-spirograph
fixed-circle-radius="100"
moving-circle-radius="10"
moving-circle-locus-length="30"
repeat-count="100"
></mm-spirograph>
它使用 webGL 渲染螺旋图,并计划用于生成艺术。我喜欢它的简单性,并且有点不愿意使用 JSON 属性。
此外,spirograph 的动画与组件保持分离,其想法是使用 spirograph 作为静态渲染或更改属性可以轻松地进行动画之类的操作。这里它只是为两个属性设置动画,但它可以针对不同的情况而变化。
此外,还计划添加类似的组件,如果需要,可以通过设置属性来设置动画。
function animateSpirograph(spirograph, r, p, rIncrement, pIncrement) {
let v = r;
if (v + rIncrement > 100) rIncrement = -Math.abs(rIncrement);
if (v + rIncrement <= 0) rIncrement = Math.abs(rIncrement);
v = v + rIncrement;
r = v;
let w = p;
if (w + pIncrement > 200) pIncrement = -Math.abs(pIncrement);
if (w + pIncrement <= 0) pIncrement = Math.abs(pIncrement);
w = w + pIncrement;
p = w;
spirograph.setAttribute("moving-circle-radius", r);
spirograph.setAttribute("moving-circle-locus-length", p);
window.requestAnimationFrame(() =>
animateSpirograph(spirograph, r, p, rIncrement, pIncrement)
);
}
Danny 的建议很有趣,我可以有第三个属性,它可能是来自 requestAnimationFrame 的时间戳,并将其标记为仅用于动画的可选属性。因此,每次更改属性时,我们都需要设置这个额外的属性来实际触发渲染。但这听起来有点hacky/patch。