我有一个Component,其初始状态设置为等于Store状态。此外,组件还会附加到商店中发生的任何更改。
// Inital component's state is set to be equal to a Store state
constructor(props) {
super(props);
this.state = EntityStore.getState();
this.entitiesOnChange = this.entitiesOnChange.bind(this);
}
// Subscribe to any Store's change
componentDidMount() {
EntityStore.listen(this.entitiesOnChange);
}
// Update the state with the new one
entitiesOnChange(nextState) {
this.setState(nextState);
}
我的目标是将Component订阅到商店的特定属性。
我尝试在entitiesOnChange
进行检查,但我发现this.state
已与商家状态(nextState
)保持同步。同样在下面的代码示例中(我尝试过的)this.setState(nextState)
没有被调用,因为这两个状态是相同的,因此重新渲染不会发生:
// Update the state with the new one only if a specefic `propery` is changed
entitiesOnChange(nextState) {
// Here is the problem. `this.state` is already up to date.
if (this.state.property !== nextState.property) {
this.setState(nextState);
}
}
那么如何将我的Component订阅到特定商店的属性?
答案 0 :(得分:2)
好的!我深入调查了这个问题,最后我发现了发生了什么。问题是由于在商店中设置数据的错误方式造成的。它被改变了(这是错误的)。正确的(通量)方式是创建一个新对象。
我创建了一个JSFiddle来说明整个问题,但这里是商店中错误突变的亮点:
class Store {
constructor() {
this.bindActions(actions);
this.data = {
items: [],
isLoading: false
};
}
set(items) {
this.data.isLoading = true;
// Simulate API call
setTimeout(() => {
this.data.items = items;
this.data.isLoading = false;
this.setState(this);
}, 2000);
this.setState(this);
}
}