是否可以在 react-router 转换时仅重新安装新的子组件

IT技术 reactjs react-router
2021-04-11 20:13:17

我在我的应用程序中使用 react-router,我正在寻找一种方法来停止重新安装 DOM 中已经存在的组件。例如,如果我在 URL 处dashboard,那么我将有一个关联的DashboardComponent挂载。当我过渡到dashboard/settings那时我的DashboardComponent以及SettingsComponent重新安装到 DOM 中。我想找到一种干净的方法来仅挂载当前 URL 的子级。这可能吗?

路由器:

import { Component, createFactory, PropTypes } from 'react'
import { Route, RouteHandler, DefaultRoute, NotFoundRoute } from 'react-router'

import Home from '../components/Home'
import Dashboard from '../components/Dashboard'
import ViewPlayers from '../components/clubs/ViewPlayers'

let route = createFactory(Route),
    handler = createFactory(RouteHandler),
    root = createFactory(DefaultRoute),
    pageNotFound = createFactory(NotFoundRoute),
    Transitions = createFactory(require('react/lib/ReactCSSTransitionGroup'));

class App extends Component {

    constructor() {

        super();
    }

    render() {

        return (
            Transitions({transitionName: 'fade'},
                handler({key: this.context.router.getCurrentPath()})
            )
        )
    }
}
App.contextTypes = {
    router: PropTypes.func
};

let Router = (
    route({path: '/', name: 'home', handler: App},
        root({handler: Home}),
        route({path: 'dashboard', name: 'dashboard', handler: Dashboard},
            route({path: 'players', name: 'players', handler: ViewPlayers}),
        )
    )
);
export { Router };

仪表板(父组件):

import React from 'react'
import { RouteHandler, Link } from 'react-router'
import { _, div } from './Html'

export default
class Dashboard extends React.Component {

    constructor() {

        super();

        this.state = {}
    }

    componentWillMount() {

        console.log('mounted')
    }

    componentWillUnmount() {

    }

    render() {

        return (
            div({},
                _(Link)({to: 'players'}),
                _(RouteHandler)({})
            )
        )
    }
}

注意: _只是 React.createFactory() 的包装器

1个回答

当组件发生key变化时,React 总是卸载和重新安装组件——这就是该属性的目的,以帮助 React 维护组件的“身份”。特别是,当使用 React 的 CSS 转换时,它是必需的,因为在一个组件中设置动画并在另一个组件中设置动画的唯一方法是让它们成为单独的 DOM 节点。

因为你传递{key: this.context.router.getCurrentPath()}handler里面组件App,React 会卸载和重新挂载该handler组件,即使是相同的类型,任何时候都会getCurrentPath()返回不同的值。解决方案是找到一个键,当您确实想要动画时该键会发生变化,否则保持不变。

杰出的。我将密钥设置为location.href,完美运行
2021-05-23 20:13:17
我不敢相信我没有想到这一点——我是一名经验丰富的 React 开发人员,之前只使用过 key in .map()s——这种告诉 React “这东西是全新的”的方法对我来说是一个改变游戏规则的方法。
2021-06-15 20:13:17