我目前正在学习反应和还原,偶然发现了一个我无法真正解决的问题。尝试实现相同的功能 如本文中的内容:https://medium.com/@yaoxiao1222/implementing-search-filter-a-list-on-redux-react-bb5de8d0a3ad,但是即使我正在使用的其余api的数据请求成功,我也无法将组件中的本地状态分配给我的redux-state,以便能够过滤我的结果。这是我的组件:
import React from 'react'
import {connect} from 'react-redux'
import {bindActionCreators} from 'redux'
import * as fetchActions from '../../actions/fetchActions'
import Stafflist from './Stafflist'
class AboutPage extends React.Component {
constructor(props) {
super(props)
this.state = {
search: '',
currentlyDisplayed: this.props.store.posts
}
this.updateSearch = this.updateSearch.bind(this)
}
updateSearch(event) {
let newlyDisplayed = this.state.currentlyDisplayed.filter(
(post) => {
return (
post.name.toLowerCase().indexOf(this.state.search.toLowerCase()) !== -1
|| post.role.toLowerCase().indexOf(this.state.search.toLowerCase()) !== -1
)}
)
console.log(newlyDisplayed)
this.setState({
search: event.target.value.substr(0, 20),
currentlyDisplayed: newlyDisplayed
})
}
render() {
return (
<div className="about-page">
<h1>About</h1>
<input type="text"
value={this.state.search}
onChange={this.updateSearch}
/>
//component for rendering my list of posts.
<Stafflist posts={this.state.currentlyDisplayed} />
</div>
)
}
}
// this is here i assign my api data to this.props.store.posts
function mapStateToProps(state, ownProps) {
return {
store: state
}
}
function mapDispatchToProps(dispatch) {
return {
actions: bindActionCreators(fetchActions, dispatch)
}
}
export default connect(mapStateToProps, mapDispatchToProps)(AboutPage)
比较我如何将商店状态分配给本地组件及其在文章中的工作方式,似乎是用相同的方式完成的。我的:
this.state = {
search: '',
currentlyDisplayed: this.props.store.posts
}
文章:
this.state = {
searchTerm: '',
currentlyDisplayed: this.props.people
}
在react devtools内,我可以在存储区中看到我的数据,但是将其分配给组件中的本地状态以执行过滤是行不通的,而且我真的不知道如何调试它。我在本地组件中的状态只是说
State
currentlyDisplayed: Array[0]
Empty array
如果我更改
<Stafflist posts={this.state.currentlyDisplayed} />
到
<Stafflist posts={this.props.store.posts} />
列表按其应有的方式呈现:)
减速器:
import * as types from '../actions/actionTypes'
import initialState from './initialState'
export default function postReducer(state = initialState.posts, action) {
switch(action.type) {
case types.FETCH_POSTS_SUCCESS:
return action.posts.data.map(post => {
return {
id: post.id,
name: post.acf.name,
role: post.acf.role
}
})
default:
return state
}
}
有什么想法吗?
答案 0 :(得分:0)
您的代码存在的问题是您不处理如何使新收到的道具进入状态。这意味着当您从api调用接收数据时,只有道具会更新,而组件状态则不会。
如果您仔细查看所引用的文章,则在onInputChange方法中,它们会根据道具重新计算状态,而updateState方法仅从本地状态中进行过滤。
在构造函数中设置状态只能确保在组件的初始安装位置复制道具。在那时,存储仅包含初始状态(Reducer代码中的initialState.posts)。这是保持组件状态和存储的代价。您必须考虑如何在初始加载后使两者保持同步。
一种解决方案是更新componentWillReceiveProps中的状态:
film_actor
无论何时组件收到新道具,这都会更新您的状态。注意react已经淘汰了componentWillReceiveProps,从React 16.3开始应该使用getDerivedStateToProps。有关更多详细信息,请参见here。