React JS 组件在 Meteor 中多次渲染



我在这个应用程序中使用 Meteor 1.3 以及 react js 和 Tracker React。我有一个页面可以查看应用程序中的所有可用用户。此页面要求用户登录才能查看数据。如果用户未登录,它将显示登录表单,一旦登录,组件将呈现用户的数据。

逻辑的主要组件。

export default class MainLayout extends TrackerReact(React.Component) {
    
    isLogin() {
        return Meteor.userId() ? true : false
    }
    render() {
    
        if(!this.isLogin()){
            return (<Login />)
        }else{
        return (
            <div className="container">
                <AllUserdata  />            
            </div>
          )
        }
    }
}

AllUserdata组件中:

export default class Users extends TrackerReact(React.Component) {
    constructor() {
        super();
        this.state ={
            subscription: {
                Allusers : Meteor.subscribe("AllUsers")
            }
        }
    }
    componentWillUnmount(){
        this.state.subscription.Allusers.stop();
    }
    allusers() {
        return Meteor.users.find().fetch();
    }
    render() {
        console.log('User objects ' + this.allusers());
        return (
                <div className="row">
                    {
                    this.allusers().map( (user, index)=> {
                            return <UserSinlge key={user._id} user={user} index={index + 1}/>
                            })
                     }
                        
                </div>
                
            )
    }   
};

问题是登录时,它只显示当前用户的数据。不会呈现所有其他用户对象。如果我在控制台上检查,console.log('User objects ' + this.allusers());显示正在渲染的对象 3 次:第一个渲染仅显示当前用户的数据,第二个渲染所有用户的数据(所需的结果),第三个再次仅呈现当前用户的数据。

如果我刷新页面,用户数据将正确呈现。

知道为什么吗?

React 在

运行时多次调用组件的 render() 方法。如果您遇到意外调用,通常是某些东西触发了对组件的更改并启动了重新渲染。似乎有些东西可能正在覆盖对Meteor.users.find().fetch()的调用,这可能是因为您在每次渲染时调用该函数。尝试检查 render 方法之外的值,或者更好的是,依靠测试来确保组件正在执行它应该执行的操作:)

从 https://facebook.github.io/react/docs/component-specs.html#render

render() 函数应该是纯的,这意味着它不会修改组件状态,每次调用时都会返回相同的结果,并且不会读取或写入 DOM 或以其他方式与浏览器交互(例如,通过使用 setTimeout)。如果您需要与浏览器交互,请改为在 componentDidMount() 或其他生命周期方法中执行您的工作。保持 render() 纯使服务器渲染更实用,并使组件更容易思考。

另请参阅:

  • https://facebook.github.io/react/docs/advanced-performance.html
  • https://facebook.github.io/react/docs/top-level-api.html#reactdom
  • https://ifelse.io/2016/04/04/testing-react-components-with-enzyme-and-mocha/

相关内容

  • 没有找到相关文章

最新更新