我有一个简单的路由器(以redux-router
开头并切换到react-router
以消除变量。)
<Router history={history}>
<Route component={Admin} path='/admin'>
<Route component={Pages} path='pages'/>
<Route component={Posts} path='posts'/>
</Route>
</Router>
管理组件基本上只是{this.props.children}
,带有一些导航;它不是connect
ed组件。
Pages组件是一个connect
ed组件,mapStateToProps()
就像这样:
function mapStateToProps (state) {
return {
pages: state.entities.pages
};
}
帖子更有趣:
function mapStateToProps (state) {
let posts = map(state.entities.posts, post => {
return {
...post,
author: findWhere(state.entities.users, {_id: post.author})
};
}
return {
posts
};
}
然后当我加载页面或在帖子/页面路径之间切换时,我在console.log()中得到以下内容。
// react-router navigate to /posts
Admin render()
posts: map state to props
Posts render()
posts: map state to props
Posts render()
posts: map state to props
// react-router navigate to /pages
Admin render()
pages: map state to props
Pages render()
pages: map state to props
所以我的问题是:为什么在路由更改时多次调用mapStateToProps
?
另外,为什么map
中的简单mapStateToProps
函数会导致它在Posts容器中第三次被调用?
我正在使用Redux文档中的基本logger
和crashReporter
中间件,并且它没有报告任何状态更改或崩溃。如果状态没有改变,为什么组件会多次渲染?
答案 0 :(得分:9)
根据react-redux
的使用经验,您不应在mapStateToProps
内处理商店属性,因为connect
uses shallow checking of bound store attributes to check for diff。
要检查您的组件是否需要更新,react-redux
调用mapStateToProps
并检查结果的第一级属性。如果其中一个更改(===
相等检查),组件将使用新的props更新。在您每次调用posts
时map
更改(mapStateToProps
转换)的情况下,您的组件会在每次商店更改时更新!
您的解决方案是仅返回商店属性的直接引用:
function mapStateToProps (state) {
return {
posts: state.entities.posts,
users: state.entities.users
};
}
然后在您的组件中,您可以定义一个按需处理数据的功能:
getPostsWithAuthor() {
const { posts, users } = this.props;
return map(posts, post => {
return {
...post,
author: findWhere(users, {_id: post.author})
};
});
}
答案 1 :(得分:0)
Reselect允许您为派生状态处理创建memoized选择器函数。
Redux's documentation通过示例解释了如何使用它。回购自述文件也有一个简单的例子。