ReactJS、CSS 和 SVG 动画,以及重新渲染

fs_*_*fs_ 4 javascript css svg reactjs

这个问题可以在这里看到:https :
//codepen.io/fsabe/pen/opEVNR?editors=0110

在第一次加载时,您会看到蓝色圆圈在四处移动,红色框逐渐淡出和淡入。
圆圈通过 svg 标签进行动画处理,而框通过 css 动画进行动画处理。
如果您单击画布上的任意位置,代码会触发重新渲染,这可以通过打开控制台进行验证。

我的期望是两个动画都在点击时重置,但这不会发生。
我有一种预感,这与缓存和 react 的 shadow DOM 有关。

为什么会这样?如何解决?

代码如下:

#nonSvgBox {
  animation-duration: 1s;
  animation-name: fade;
  width: 100px;
  height: 100px;
  background-color: red;
}

@keyframes fade {
  from {
    opacity: 1;
  }
  to {
    opacity: 0;
  }
}
Run Code Online (Sandbox Code Playgroud)
class Component extends React.Component {
  onClick() {
    this.setState({a: 1});
  }

  render() {
    console.log('rendering');
    return (
      <div onClick={() => this.onClick()}>
        <svg>
          <path 
            stroke="blue"
            strokeWidth="10"
            fill="transparent"
            d="M50 10 a 40 40 0 0 1 0 80 a 40 40 0 0 1 0 -80"
            strokeDasharray="251.2,251.2">
            <animate
              attributeType="css"
              attributeName="stroke-dasharray"
              from="0" to="251.2" dur="1s" />
          </path>
        </svg>
        <div id="nonSvgBox"></div>
      </div>
    );
  }
}

ReactDOM.render(<Component />, document.getElementById('app'));
Run Code Online (Sandbox Code Playgroud)

谢谢你。

Eri*_*uan 5

React 正在重用元素,因此动画不会重播它们已经为当前元素播放的 b/c。

我认为在这种情况下诉诸 dom 操作更容易,而不是一些setState技巧。

https://codepen.io/guanzo/pen/vpdPzX?editors=0110

将引用存储到 2 个元素,然后用 JS 触发动画。

class Component extends React.Component {
  onClick() {
    this.svgAnimate.beginElement()//triggers animation
    this.square.style.animation = 'none';//override css animation
    this.square.offsetHeight; /* trigger reflow */
    this.square.style.animation = null; //fallback to css animation
  }

    render() {
    console.log('rendering');
        return (
            <div onClick={() => this.onClick()}>
                <svg>
                    <path 
                        stroke="blue"
            strokeWidth="10"
                        fill="transparent"
                        d="M50 10 a 40 40 0 0 1 0 80 a 40 40 0 0 1 0 -80"
            strokeDasharray="251.2,251.2">
              <animate
                ref={(svgAnimate) => { this.svgAnimate = svgAnimate; }} 
                attributeType="css"
                attributeName="stroke-dasharray"
                from="0" to="251.2" dur="1s" />
                </path>
              </svg>
        <div id="nonSvgBox"
          ref={(square) => { this.square = square; }} 
          ></div>
            </div>
        );
    }
}

ReactDOM.render(<Component />, document.getElementById('app'));
Run Code Online (Sandbox Code Playgroud)