基本上,在加载主页时,会触发一个操作,以JSON格式从数据库中获取数据。它调度我的商店收到的SUCCESS并更新对象的状态posts
。当我从商店console.log()
时,我看到确实收到了数据。但是,我的组件没有获取该数据。
这是我的组件代码:
import React from 'react';
import connectToStores from 'fluxible-addons-react/connectToStores';
import PostStore from '../stores/PostStore';
class Home extends React.Component {
render() {
return (
<div>
<h2>Home</h2>
<div></div>
</div>
);
}
}
Home = connectToStores(Home, [PostStore], (context, props) => ({
posts : context.getStore(PostStore).getPosts()
}))
export default Home;
我没有在React Developer Tools的道具中看到帖子数据。
这是商店:
import BaseStore from 'fluxible/addons/BaseStore';
class PostStore extends BaseStore {
constructor(dispatcher) {
super(dispatcher);
this.posts = null;
}
handleGetPostsSuccess(payload) {
this.posts = payload;
console.log("from PostStore",this.posts);
this.emitChange();
}
getPosts() {
return this.posts;
}
//send state to client
dehydrate() {
return {
posts : this.posts
}
}
//server state
rehydrate(state) {
this.posts = state.posts;
}
}
PostStore.storeName = 'PostStore';
PostStore.handlers = {
'GET_POSTS_SUCCESS' : 'handleGetPostsSuccess'
};
export default PostStore;
有人可以帮帮我吗?
由于
答案 0 :(得分:0)
看起来您没有为您的应用程序提供上下文。您需要在top-level React component。
实例化您的Fluxible应用要解决此问题,请创建一个新的顶级组件,并将其设置为您的入口点,如下所示:
<强> app.js 强>
import React from 'react';
import ReactDOM from 'react-dom';
import Fluxible from 'fluxible';
import { FluxibleComponent } from 'fluxible-addons-react';
import Home from './components/Home';
const app = new Fluxible();
app.registerStore(PostStore);
const context = app.createContext();
ReactDOM.render(
<FluxibleComponent context={context.getComponentContext()}>
<Home />
</FluxibleComponent>,
document.querySelector('.container')
);
<强> Home.js 强>
import React from 'react';
import { provideContext, connectToStores } from 'fluxible-addons-react';
import PostStore from '../stores/PostStore';
import postActions from '../actions/postActions';
class Home extends React.Component {
dispatchAction() {
this.context.executeAction(postActions.dispatchPost, { post: 'My Post' });
}
render() {
return (
<div onClick={this.dispatchAction.bind(this)}>
<h2>Home</h2>
<div></div>
</div>
);
}
}
Home.contextTypes = {
getStore: React.PropTypes.func.isRequired,
executeAction: React.PropTypes.func.isRequired
};
Home = provideContext(Home);
Home = connectToStores(Home, [PostStore], (context) => {
return {
posts: context.getStore(PostStore).getPosts()
};
});
export default Home;
<强> postActions.js 强>
module.exports = {
dispatchPost(actionContext, payload) {
actionContext.dispatch('GET_POSTS_SUCCESS', payload);
}
};
这应该有用!