反应-动画化单个组件的安装和卸载


97

这个简单的事情应该很容易完成,但是我要把它弄复杂。

我要做的就是动画化React组件的安装和卸载。到目前为止,这是我尝试过的方法,以及每种解决方案都不起作用的原因:

  1. ReactCSSTransitionGroup -我根本不使用CSS类,因为它全都是JS样式,所以这行不通。
  2. ReactTransitionGroup-这个较低层的API很棒,但是它要求您在动画完成后使用回调,因此仅使用CSS过渡在此处无效。总会有动画库,这引出下一点:
  3. GreenSock-许可证对于IMO的商业用途过于严格。
  4. React Motion-这看起来很棒,但是TransitionMotion对于我需要的东西却非常混乱和过于复杂。
  5. 当然,我可以像Material UI一样做一些技巧,在其中呈现元素但保持隐藏(left: -10000px),但我宁愿不走那条路。我认为它很笨拙,并且我希望卸下我的组件,以便它们清理并不会弄乱DOM。

我想要一些易于实现的东西。在安装时,为一组样式设置动画;卸载时,为一组相同(或另一组)样式设置动画。做完了 它还必须在多个平台上都具有高性能。

我在这里撞墙了。如果我缺少某些东西,并且有一种简单的方法可以做到,请告诉我。


我们在说什么动画?
Pranesh Ravi

只是一些简单的事情,例如CSS不透明性淡入和transform: scale
ffxsam,2016年

第一点和第二点使我感到困惑。您正在使用哪种动画?JS转换还是CSS转换?
Pranesh Ravi

1
不要混淆CSS样式/类(例如.thing { color: #fff; })和JS样式(const styles = { thing: { color: '#fff' } }))
ffxsam 16-10-21

但是问题是,当您尝试使用javascript更改样式时,实际上是在替换不会提供任何过渡的元素的样式。
Pranesh Ravi

Answers:


102

这有点冗长,但是我使用了所有本机事件和方法来实现此动画。否ReactCSSTransitionGroupReactTransitionGroup等等。

我用过的东西

  • 反应生命周期方法
  • onTransitionEnd 事件

如何运作

  • 根据通过的挂载道具(mounted)和默认样式(opacity: 0)来挂载元素
  • 挂载或更新后,使用componentDidMountcomponentWillReceiveProps用于进一步更新)更改样式(opacity: 1)并带有超时(以使其异步)。
  • 在卸载过程中,将prop传递给组件以识别卸载,再次更改样式(opacity: 0),onTransitionEnd然后从DOM中移除元素。

继续循环。

查看代码,您会明白的。如果需要任何澄清,请发表评论。

希望这可以帮助。

class App extends React.Component{
  constructor(props) {
    super(props)
    this.transitionEnd = this.transitionEnd.bind(this)
    this.mountStyle = this.mountStyle.bind(this)
    this.unMountStyle = this.unMountStyle.bind(this)
    this.state ={ //base css
      show: true,
      style :{
        fontSize: 60,
        opacity: 0,
        transition: 'all 2s ease',
      }
    }
  }
  
  componentWillReceiveProps(newProps) { // check for the mounted props
    if(!newProps.mounted)
      return this.unMountStyle() // call outro animation when mounted prop is false
    this.setState({ // remount the node when the mounted prop is true
      show: true
    })
    setTimeout(this.mountStyle, 10) // call the into animation
  }
  
  unMountStyle() { // css for unmount animation
    this.setState({
      style: {
        fontSize: 60,
        opacity: 0,
        transition: 'all 1s ease',
      }
    })
  }
  
  mountStyle() { // css for mount animation
    this.setState({
      style: {
        fontSize: 60,
        opacity: 1,
        transition: 'all 1s ease',
      }
    })
  }
  
  componentDidMount(){
    setTimeout(this.mountStyle, 10) // call the into animation
  }
  
  transitionEnd(){
    if(!this.props.mounted){ // remove the node on transition end when the mounted prop is false
      this.setState({
        show: false
      })
    }
  }
  
  render() {
    return this.state.show && <h1 style={this.state.style} onTransitionEnd={this.transitionEnd}>Hello</h1> 
  }
}

class Parent extends React.Component{
  constructor(props){
    super(props)
    this.buttonClick = this.buttonClick.bind(this)
    this.state = {
      showChild: true,
    }
  }
  buttonClick(){
    this.setState({
      showChild: !this.state.showChild
    })
  }
  render(){
    return <div>
        <App onTransitionEnd={this.transitionEnd} mounted={this.state.showChild}/>
        <button onClick={this.buttonClick}>{this.state.showChild ? 'Unmount': 'Mount'}</button>
      </div>
  }
}

ReactDOM.render(<Parent />, document.getElementById('app'))
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/15.3.2/react-with-addons.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/15.1.0/react-dom.min.js"></script>
<div id="app"></div>


谢谢你!您从哪里学到的onTransitionEnd?我没有在React文档中看到它。
ffxsam

@ffxsam facebook.github.io/react/docs/events.html处于过渡事件下。
Pranesh Ravi

1
您怎么知道它做了什么,文档没有解释任何内容。另一个问题:您怎么知道componentWillReceiveProps可以退货?在哪里可以阅读更多内容?
ffxsam

1
@ffxsam onTransitionEnd是本机JavaScript事件。您可以在Google上搜索。facebook.github.io/react/docs/…将为您提供有关componentWillReceiveProps的想法。
Pranesh Ravi

7
顺便说一句,我认为您的代码中有一个错误。在您的Parent组件中,您引用this.transitionEnd
ffxsam

14

利用从Pranesh的答案中获得的知识,我想出了一个可配置和可重用的替代解决方案:

const AnimatedMount = ({ unmountedStyle, mountedStyle }) => {
  return (Wrapped) => class extends Component {
    constructor(props) {
      super(props);
      this.state = {
        style: unmountedStyle,
      };
    }

    componentWillEnter(callback) {
      this.onTransitionEnd = callback;
      setTimeout(() => {
        this.setState({
          style: mountedStyle,
        });
      }, 20);
    }

    componentWillLeave(callback) {
      this.onTransitionEnd = callback;
      this.setState({
        style: unmountedStyle,
      });
    }

    render() {
      return <div
        style={this.state.style}
        onTransitionEnd={this.onTransitionEnd}
      >
        <Wrapped { ...this.props } />
      </div>
    }
  }
};

用法:

import React, { PureComponent } from 'react';

class Thing extends PureComponent {
  render() {
    return <div>
      Test!
    </div>
  }
}

export default AnimatedMount({
  unmountedStyle: {
    opacity: 0,
    transform: 'translate3d(-100px, 0, 0)',
    transition: 'opacity 250ms ease-out, transform 250ms ease-out',
  },
  mountedStyle: {
    opacity: 1,
    transform: 'translate3d(0, 0, 0)',
    transition: 'opacity 1.5s ease-out, transform 1.5s ease-out',
  },
})(Thing);

最后,在另一个组件的render方法中:

return <div>
  <ReactTransitionGroup>
    <Thing />
  </ReactTransitionGroup>
</div>

1
以及如何安装/卸载@ffxsam?

如何componentWillLeave()componentWillEnter()获取调用的AnimatedMount
Rokit

不适用于我,这里是我的沙箱:codesandbox.io/s/p9m5625v6m
Webwoman

11

这是基于此帖子的使用新的hooks API(带有TypeScript)的解决方案,用于延迟组件的卸载阶段:

function useDelayUnmount(isMounted: boolean, delayTime: number) {
    const [ shouldRender, setShouldRender ] = useState(false);

    useEffect(() => {
        let timeoutId: number;
        if (isMounted && !shouldRender) {
            setShouldRender(true);
        }
        else if(!isMounted && shouldRender) {
            timeoutId = setTimeout(
                () => setShouldRender(false), 
                delayTime
            );
        }
        return () => clearTimeout(timeoutId);
    }, [isMounted, delayTime, shouldRender]);
    return shouldRender;
}

用法:

const Parent: React.FC = () => {
    const [ isMounted, setIsMounted ] = useState(true);
    const shouldRenderChild = useDelayUnmount(isMounted, 500);
    const mountedStyle = {opacity: 1, transition: "opacity 500ms ease-in"};
    const unmountedStyle = {opacity: 0, transition: "opacity 500ms ease-in"};

    const handleToggleClicked = () => {
        setIsMounted(!isMounted);
    }

    return (
        <>
            {shouldRenderChild && 
                <Child style={isMounted ? mountedStyle : unmountedStyle} />}
            <button onClick={handleToggleClicked}>Click me!</button>
        </>
    );
}

CodeSandbox链接。


1
优雅的解决方案,如果您添加了一些评论,那就太好了:)
Webwoman

还为什么要使用typecrypt的扩展名,因为它在javascript的扩展名中工作得很好?
Webwoman '19

您的控制台也会返回“找不到名称空间
NodeJS

1
@Webwoman感谢您的评论。我无法使用“ NodeJS超时”重新创建您报告的问题,请参见答案下方的我的CodeSandbox链接。关于TypeScript,我个人更喜欢使用它而不是JavaScript,尽管两者当然都是可行的。
deckele

9

我在工作中解决了这个问题,而且看起来很简单,这实际上不在React中。在正常情况下,您呈现如下内容:

this.state.show ? {childen} : null;

this.state.show改变孩子们安装/卸载的时候了。

我采用的一种方法是创建包装器组件Animate并像

<Animate show={this.state.show}>
  {childen}
</Animate>

现在,作为this.state.show更改,我们可以感知道具更改getDerivedStateFromProps(componentWillReceiveProps)并创建中间渲染阶段来执行动画。

一个阶段周期可能看起来像这样

我们先从静态阶段开始,然后再安装或卸载子代。

一旦我们检测show标志变化,我们进入准备阶段,我们计算出像必要的属性heightwidthReactDOM.findDOMNode.getBoundingClientRect()

然后进入Animate State(动画状态),我们可以使用CSS过渡将高度,宽度和不透明度从0更改为计算值(如果卸载则更改为0)。

在过渡结束时,我们使用onTransitionEndapi返回到 Static阶段。

有关阶段如何顺利转移的更多细节,但这可能是一个整体想法:)

如果有人感兴趣,我创建了一个React库https://github.com/MingruiZhang/react-animate-mount来共享我的解决方案。欢迎任何反馈:)


感谢您的反馈,对于之前的粗略答复,我们深表歉意。我在回答中添加了更多详细信息和图表,希望这对其他人会有所帮助。
Mingrui Zhang

1
@MingruiZhang很高兴看到您积极评价并改善了答案。看到的真令人耳目一新。辛苦了
错误

6

我认为使用Transitionfrom react-transition-group可能是跟踪安装/卸载的最简单方法。它非常灵活。我正在使用一些类来展示它的易用性,但是您绝对可以使用addEndListenerprop 来连接自己的JS动画-我也很幸运地使用GSAP。

沙箱:https//codesandbox.io/s/k9xl9mkx2o

这是我的代码。

import React, { useState } from "react";
import ReactDOM from "react-dom";
import { Transition } from "react-transition-group";
import styled from "styled-components";

const H1 = styled.h1`
  transition: 0.2s;
  /* Hidden init state */
  opacity: 0;
  transform: translateY(-10px);
  &.enter,
  &.entered {
    /* Animate in state */
    opacity: 1;
    transform: translateY(0px);
  }
  &.exit,
  &.exited {
    /* Animate out state */
    opacity: 0;
    transform: translateY(-10px);
  }
`;

const App = () => {
  const [show, changeShow] = useState(false);
  const onClick = () => {
    changeShow(prev => {
      return !prev;
    });
  };
  return (
    <div>
      <button onClick={onClick}>{show ? "Hide" : "Show"}</button>
      <Transition mountOnEnter unmountOnExit timeout={200} in={show}>
        {state => {
          let className = state;
          return <H1 className={className}>Animate me</H1>;
        }}
      </Transition>
    </div>
  );
};

const rootElement = document.getElementById("root");
ReactDOM.render(<App />, rootElement);

1
如果使用样式化的组件,则可以简单地将showprop 传递给H1样式化的组件并在其中进行所有逻辑。像...animation: ${({ show }) => show ? entranceKeyframes : exitKeyframes} 300ms ease-out forwards;
Aleks

2

成帧器运动

从npm安装framer-motion。

import { motion, AnimatePresence } from "framer-motion"

export const MyComponent = ({ isVisible }) => (
  <AnimatePresence>
    {isVisible && (
      <motion.div
        initial={{ opacity: 0 }}
        animate={{ opacity: 1 }}
        exit={{ opacity: 0 }}
      />
    )}
  </AnimatePresence>
)

1

对于那些考虑反作用运动的人,在安装和卸载单个组件时设置动画效果可能会很困难。

有一个名为react-motion-ui-pack的库,使此过程开始时容易得多。它是对react-motion的包装,这意味着您可以从库中获得所有好处(即,您可以中断动画,同时进行多个卸载)。

用法:

import Transition from 'react-motion-ui-pack'

<Transition
  enter={{ opacity: 1, translateX: 0 }}
  leave={{ opacity: 0, translateX: -100 }}
  component={false}
>
  { this.state.show &&
      <div key="hello">
        Hello
      </div>
  }
</Transition>

Enter定义组件的最终状态。离开是在卸载组件时应用的样式。

您可能会发现,一旦使用了UI包几次,react-motion库就不再那么令人生畏了。


项目不再维护(2018)
Micros


1

可以使用中的CSSTransition组件轻松完成此操作react-transition-group,就像您提到的库一样。关键是你需要用的CSSTransition组件没有显示/隐藏机制,就像你通常会 .IE {show && <Child>}...否则你是隐藏的动画,它不会工作。例:

ParentComponent.js

import React from 'react';
import {CSSTransition} from 'react-transition-group';

function ParentComponent({show}) {
return (
  <CSSTransition classes="parentComponent-child" in={show} timeout={700}>
    <ChildComponent>
  </CSSTransition>
)}


ParentComponent.css

// animate in
.parentComponent-child-enter {
  opacity: 0;
}
.parentComponent-child-enter-active {
  opacity: 1;
  transition: opacity 700ms ease-in;
}
// animate out
.parentComponent-child-exit {
  opacity: 1;
}
.parentComponent-child-exit-active {
  opacity: 0;
  transition: opacity 700ms ease-in;
}

0

这是我的2cents:感谢@deckele的解决方案。我的解决方案基于他的,这是有状态的组件版本,可以完全重用。

这是我的沙箱:https : //codesandbox.io/s/302mkm1m

这是我的snippet.js:

import ReactDOM from "react-dom";
import React, { Component } from "react";
import style from  "./styles.css"; 

class Tooltip extends Component {

  state = {
    shouldRender: false,
    isMounted: true,
  }

  shouldComponentUpdate(nextProps, nextState) {
    if (this.state.shouldRender !== nextState.shouldRender) {
      return true
    }
    else if (this.state.isMounted !== nextState.isMounted) {
      console.log("ismounted!")
      return true
    }
    return false
  }
  displayTooltip = () => {
    var timeoutId;
    if (this.state.isMounted && !this.state.shouldRender) {
      this.setState({ shouldRender: true });
    } else if (!this.state.isMounted && this.state.shouldRender) {
      timeoutId = setTimeout(() => this.setState({ shouldRender: false }), 500);
      () => clearTimeout(timeoutId)
    }
    return;
  }
  mountedStyle = { animation: "inAnimation 500ms ease-in" };
  unmountedStyle = { animation: "outAnimation 510ms ease-in" };

  handleToggleClicked = () => {
    console.log("in handleToggleClicked")
    this.setState((currentState) => ({
      isMounted: !currentState.isMounted
    }), this.displayTooltip());
  };

  render() {
    var { children } = this.props
    return (
      <main>
        {this.state.shouldRender && (
          <div className={style.tooltip_wrapper} >
            <h1 style={!(this.state.isMounted) ? this.mountedStyle : this.unmountedStyle}>{children}</h1>
          </div>
        )}

        <style>{`

           @keyframes inAnimation {
    0% {
      transform: scale(0.1);
      opacity: 0;
    }
    60% {
      transform: scale(1.2);
      opacity: 1;
    }
    100% {
      transform: scale(1);  
    }
  }

  @keyframes outAnimation {
    20% {
      transform: scale(1.2);
    }
    100% {
      transform: scale(0);
      opacity: 0;
    }
  }
          `}
        </style>
      </main>
    );
  }
}


class App extends Component{

  render(){
  return (
    <div className="App"> 
      <button onClick={() => this.refs.tooltipWrapper.handleToggleClicked()}>
        click here </button>
      <Tooltip
        ref="tooltipWrapper"
      >
        Here a children
      </Tooltip>
    </div>
  )};
}

const rootElement = document.getElementById("root");
ReactDOM.render(<App />, rootElement);

0

这是我在制作装载微调器的同时在2019年解决此问题的方法。我正在使用React功能组件。

我有一个父应用程序组件,其中有一个子Spinner组件。

应用程式会显示应用程式是否正在载入的状态。加载应用程序时,将正常显示Spinner。当应用未加载时(isLoading为false),将使用prop渲染SpinnershouldUnmount

App.js

import React, {useState} from 'react';
import Spinner from './Spinner';

const App = function() {
    const [isLoading, setIsLoading] = useState(false);

    return (
        <div className='App'>
            {isLoading ? <Spinner /> : <Spinner shouldUnmount />}
        </div>
    );
};

export default App;

Spinner会显示其是否处于隐藏状态。开始时,使用默认的道具和状态,旋转器将正常渲染。所述Spinner-fadeIn类动画它衰落英寸当微调接收丙shouldUnmount它与呈现Spinner-fadeOut类代替,动画它淡出。

但是,我也希望该组件在褪色后卸下。

在这一点上,我尝试使用onAnimationEndReact合成事件,类似于上面的@ pranesh-ravi的解决方案,但是没有用。取而代之的是,我过去setTimeout将状态设置为隐藏,且延迟时间与动画的长度相同。延迟后,Spinner将更新isHidden === true,并且不会呈现任何内容。

这里的关键是,父级不卸载子级,它告诉子级何时卸载,而子级在完成其卸载业务后自行卸载。

Spinner.js

import React, {useState} from 'react';
import './Spinner.css';

const Spinner = function(props) {
    const [isHidden, setIsHidden] = useState(false);

    if(isHidden) {
        return null

    } else if(props.shouldUnmount) {
        setTimeout(setIsHidden, 500, true);
        return (
            <div className='Spinner Spinner-fadeOut' />
        );

    } else {
        return (
            <div className='Spinner Spinner-fadeIn' />
        );
    }
};

export default Spinner;

Spinner.css:

.Spinner {
    position: fixed;
    display: block;
    z-index: 999;
    top: 50%;
    left: 50%;
    margin: -40px 0 0 -20px;
    height: 40px;
    width: 40px;
    border: 5px solid #00000080;
    border-left-color: #bbbbbbbb;
    border-radius: 40px;
}

.Spinner-fadeIn {
    animation: 
        rotate 1s linear infinite,
        fadeIn .5s linear forwards;
}

.Spinner-fadeOut {
    animation: 
        rotate 1s linear infinite,
        fadeOut .5s linear forwards;
}

@keyframes fadeIn {
    0% {
        opacity: 0;
    }
    100% {
        opacity: 1;
    }
}
@keyframes fadeOut {
    0% {
        opacity: 1;
    }
    100% {
        opacity: 0;
    }
}

@keyframes rotate {
    100% {
        transform: rotate(360deg);
    }
}

0

我也非常需要单一组件Animation。我对使用React Motion感到厌倦,但是我为这样一个琐碎的问题拉扯头发..(我的东西)。经过一番谷歌搜索后,我在他们的git repo上看到了这个帖子。希望它可以帮助某人..

引用自&还有信用。到目前为止,这对我有效。我的用例是在加载和卸载的情况下进行动画和卸载的模式。

class Example extends React.Component {
  constructor() {
    super();
    
    this.toggle = this.toggle.bind(this);
    this.onRest = this.onRest.bind(this);

    this.state = {
      open: true,
      animating: false,
    };
  }
  
  toggle() {
    this.setState({
      open: !this.state.open,
      animating: true,
    });
  }
  
  onRest() {
    this.setState({ animating: false });
  }
  
  render() {
    const { open, animating } = this.state;
    
    return (
      <div>
        <button onClick={this.toggle}>
          Toggle
        </button>
        
        {(open || animating) && (
          <Motion
            defaultStyle={open ? { opacity: 0 } : { opacity: 1 }}
            style={open ? { opacity: spring(1) } : { opacity: spring(0) }}
            onRest={this.onRest}
          >
            {(style => (
              <div className="box" style={style} />
            ))}
          </Motion>
        )}
      </div>
    );
  }
}


0

我知道这里有很多答案,但是我仍然找不到适合我需求的答案。我想要:

  • 功能组件
  • 一种解决方案,使我的组件在安装/卸载时可以轻松淡入/淡出。

经过数小时的摆弄,我得到了一个可行的解决方案,我会说是90%。我已经在下面的代码的注释块中写了限制。我仍然希望有一个更好的解决方案,但这是我找到的最好的解决方案,包括此处的其他解决方案。

const TIMEOUT_DURATION = 80 // Just looked like best balance of silky smooth and stop delaying me.

// Wrap this around any views and they'll fade in and out when mounting /
// unmounting.  I tried using <ReactCSSTransitionGroup> and <Transition> but I
// could not get them to work.  There is one major limitation to this approach:
// If a component that's mounted inside of <Fade> has direct prop changes,
// <Fade> will think that it's a new component and unmount/mount it.  This
// means the inner component will fade out and fade in, and things like cursor
// position in forms will be reset. The solution to this is to abstract <Fade>
// into a wrapper component.

const Fade: React.FC<{}> = ({ children }) => {
  const [ className, setClassName ] = useState('fade')
  const [ newChildren, setNewChildren ] = useState(children)

  const effectDependency = Array.isArray(children) ? children : [children]

  useEffect(() => {
    setClassName('fade')

    const timerId = setTimeout(() => {
      setClassName('fade show')
      setNewChildren(children)
    }, TIMEOUT_DURATION)

    return () => {
      clearTimeout(timerId)
    }   

  }, effectDependency)

  return <Container fluid className={className + ' p-0'}>{newChildren}</Container>
}

如果您有要淡入/淡出的组件,请将其包裹在<Fade>Ex中。<Fade><MyComponent/><Fade>

请注意,这react-bootstrap用于类名和<Container/>,但是都可以很容易地用自定义CSS和常规的old替换<div>


0

如果我使用VelocityAnimeJS库(而不是csssetTimeout)直接为节点设置动画,那么我发现可以设计一个hook提供动画状态on和功能的onToggle启动动画的功能(例如,向下滑动,淡入淡出)。

挂钩基本上是打开和关闭动画,然后更新on相应的动画。因此,我们可以准确地获得动画的状态。如果不这样做,将临时答复duration

/**
 * A hook to provide animation status.
 * @class useAnimate
 * @param {object} _                props
 * @param {async} _.animate         Promise to perform animation
 * @param {object} _.node           Dom node to animate
 * @param {bool} _.disabled         Disable animation
 * @returns {useAnimateObject}      Animate status object
 * @example
 *   const { on, onToggle } = useAnimate({
 *    animate: async () => { },
 *    node: node
 *  })
 */

import { useState, useCallback } from 'react'

const useAnimate = ({
  animate, node, disabled,
}) => {
  const [on, setOn] = useState(false)

  const onToggle = useCallback(v => {
    if (disabled) return
    if (v) setOn(true)
    animate({ node, on: v }).finally(() => {
      if (!v) setOn(false)
    })
  }, [animate, node, disabled, effect])

  return [on, onToggle]
}

export default useAnimate

用法如下,

  const ref = useRef()
  const [on, onToggle] = useAnimate({
    animate: animateFunc,
    node: ref.current,
    disabled
  })
  const onClick = () => { onToggle(!on) }

  return (
      <div ref={ref}>
          {on && <YOUROWNCOMPONENT onClick={onClick} /> }
      </div>
  )

动画实现可能是

import anime from 'animejs'

const animateFunc = (params) => {
  const { node, on } = params
  const height = on ? 233 : 0
  return new Promise(resolve => {
    anime({
      targets: node,
      height,
      complete: () => { resolve() }
    }).play()
  })
}

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.