react+redux+router异步数据获取教程

前端之家收集整理的这篇文章主要介绍了react+redux+router异步数据获取教程前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。

react的FLUX数据流一直搞不清楚,他不像Angular的双向数据绑定,做一个model获取数据,然后通过controller来管理view上的数据显示就可以了。单项数据流引入了太多的概念,stateactionreducerdispatch。就算看的懂图,也不一定能coding出来。

不过我总算先搞定了Redux

keywords

  • store

  • reducer

  • action

  • dispatch

  • connect

  • router

  • middleware

  • thunk

Basic Usage

1st 实现action方法

  1. export const addDeck = name => ({ type: 'ADD_DECK',data: name });

2nd 根据action方法创建reducer方法

  1. export const showBack = (state,action) => {
  2. switch(action.type) {
  3. case 'SHOW_BACK':
  4. return action.data || false;
  5. default:
  6. return state || false;
  7. }
  8. };

3rd 根据reducer方法创建store

  1. const store = createStore(combineReducers(reducers));

store.subscribe()方法设置监听函数,一旦 State 发生变化,就自动执行这个函数

store.subscribe(listener);
显然,只要把 View 的更新函数(对于 React 项目,就是组件的render方法或setState方法)放入listen,就会实现 View 的自动渲染。
store.subscribe方法返回一个函数调用这个函数就可以解除监听。

  1. let unsubscribe = store.subscribe(() =>
  2. console.log(store.getState())
  3. );
  4.  
  5. unsubscribe();

4th 引入react-redux的<Provider>,导入store

  1. <Provider store={store}>
  2. {...}
  3. </Provider>

5th react组件中通过connect方法绑定store和dispatch。

  1. const mapStateToProps = (newTalks) => ({
  2. newTalks
  3. });
  4.  
  5. const mapDispatchToProps = dispatch => ({
  6. testFunc: () => dispatch(updataTalkLists(1)),receiveData: () => dispatch(receiveData())
  7. });
  8.  
  9. export default connect(mapStateToProps,mapDispatchToProps)(MainPage);

6th this.props中直接调用action方法

  1. this.props.receiveData

With react-router

结合router使用时需要有2步。

1st 绑定routing到reducer上

  1. import { syncHistoryWithStore,routerReducer } from 'react-router-redux';
  2. import * as reducers from './redux/reducer';
  3. reducers.routing = routerReducer;
  4.  
  5. const store = createStore(combineReducers(reducers));

2nd 使用syncHistoryWithStore绑定store和browserHistory

  1. const history = syncHistoryWithStore(browserHistory,store);
  2.  
  3. <Provider store={store}>
  4. <Router history={history}>
  5. {routes}
  6. </Router>
  7. </Provider>

Async

类似 Express 或 Koa 框架中的中间件。它提供的是位于 action 被发起之后,到达 reducer 之前的扩展。
中间件的设计使用了非常多的函数式编程的思想,包括:高阶函数,复合函数,柯里化和ES6语法,源码仅仅20行左右。
项目中主要使用了三个中间件,分别解决不同的问题。

  • thunkMiddleware:处理异步Action

  • apiMiddleware:统一处理API请求。一般情况下,每个 API 请求都至少需要 dispatch 三个不同的 action(请求前、请求成功、请求失败),通过这个中间件可以很方便处理。

  • loggerMiddleware:开发环境调试使用,控制台输出应用state日志

实现action异步操作,必须要引入middleware。我这里用了applyMiddleware(thunkMiddleware)组件,也可以用其他的。

1st 创建store是引入Middleware

  1. import thunkMiddleware from 'redux-thunk';
  2. import { createStore,combineReducers,applyMiddleware } from 'redux';
  3.  
  4. const store = createStore(combineReducers(reducers),applyMiddleware(thunkMiddleware));

2nd 创建一个可以执行dispacth的action

这也是中间件的作用所在。

  1. export const receiveData = data => ({ type: 'RECEIVE_DATA',data: data });
  2.  
  3. export const fetchData = () => {
  4. return dispatch => {
  5. fetch('/api/data')
  6. .then(res => res.json())
  7. .then(json => dispatch(receiveData(json)));
  8. };
  9. };

3rd 组件中对异步的store元素有相应的判断操作。

React组件会在store值发生变化时自动调用render()方法,更新异步数据。但是我们同样也需要处理异步数据没有返回或者请求失败的情况。否则渲染会失败,页面卡住。

  1. if(!data.newTalks) {
  2. return(<div/>);
  3. }

相关知识

Store的实现

Store提供了3个方法

  1. import { createStore } from 'redux';
  2. let {
  3. subscribe,//监听store变化
  4. dispatch,//调用action方法
  5. getState //返回当前store
  6. } = createStore(reducer);

下面是create方法的一个简单实现

  1. const createStore = (reducer) => {
  2. let state;
  3. let listeners = [];
  4.  
  5. const getState = () => state;
  6.  
  7. const dispatch = (action) => {
  8. state = reducer(state,action);
  9. listeners.forEach(listener => listener());
  10. };
  11.  
  12. const subscribe = (listener) => {
  13. listeners.push(listener);
  14. return () => {
  15. listeners = listeners.filter(l => l !== listener);
  16. }
  17. };
  18.  
  19. dispatch({});
  20.  
  21. return { getState,dispatch,subscribe };
  22. };

combineReducer的简单实现

  1. const combineReducers = reducers => {
  2. return (state = {},action) => {
  3. return Object.keys(reducers).reduce(
  4. (nextState,key) => {
  5. nextState[key] = reducers[key](state[key],action);
  6. return nextState;
  7. },{}
  8. );
  9. };
  10. };

中间件

  • createStore方法可以接受整个应用的初始状态作为参数,那样的话,applyMiddleware就是第三个参数了。

  • 中间件的次序有讲究,logger就一定要放在最后,否则输出结果会不正确。

  1. const store = createStore(
  2. reducer,initial_state,applyMiddleware(thunk,promise,logger)
  3. );

applyMiddlewares的实现,它是将所有中间件组成一个数组,依次执行

  1. export default function applyMiddleware(...middlewares) {
  2. return (createStore) => (reducer,preloadedState,enhancer) => {
  3. var store = createStore(reducer,enhancer);
  4. var dispatch = store.dispatch;
  5. var chain = [];
  6.  
  7. var middlewareAPI = {
  8. getState: store.getState,dispatch: (action) => dispatch(action)
  9. };
  10. chain = middlewares.map(middleware => middleware(middlewareAPI));
  11. dispatch = compose(...chain)(store.dispatch);
  12.  
  13. return {...store,dispatch}
  14. }
  15. }

上面代码中,所有中间件被处理后得到一个数组保存在chain中。之后将chain传给compose,并将store.dispatch传给返回的函数。。可以看到,中间件内部(middlewareAPI)可以拿到getState和dispatch这两个方法

那么在这里面做了什么呢?我们再看compose的实现:

  1. export default function compose(...funcs) {
  2. if (funcs.length === 0) {
  3. return arg => arg
  4. } else {
  5. const last = funcs[funcs.length - 1]
  6. const rest = funcs.slice(0,-1)
  7. return (...args) => rest.reduceRight((composed,f) => f(composed),last(...args))
  8. }
  9. }

compose中的核心动作就是将传进来的所有函数倒序(reduceRight)进行如下处理:

  1. (composed,f) => f(composed)

我们知道Array.prototype.reduceRight是从右向左累计计算的,会将上一次的计算结果作为本次计算的输入。再看看applyMiddleware中的调用代码

  1. dispatch = compose(...chain)(store.dispatch)

compose函数最终返回的函数被作为了dispatch函数,结合官方文档和代码,不难得出,中间件的定义形式为:

  1. function middleware({dispatch,getState}) {
  2. return function (next) {
  3. return function (action) {
  4. return next(action);
  5. }
  6. }
  7. }
  8.  
  9.  
  10. middleware = (dispatch,getState) => next => action => {
  11. next(action);
  12. }

也就是说,redux的中间件是一个函数,该函数接收dispatch和getState作为参数,返回一个以dispatch为参数的函数,这个函数的返回值是接收action为参数的函数(可以看做另一个dispatch函数)。在中间件链中,以dispatch为参数的函数的返回值将作为下一个中间件(准确的说应该是返回值)的参数,下一个中间件将它的返回值接着往下一个中间件传递,最终实现了store.dispatch在中间件间的传递。

redux-promise中间件

既然 Action Creator 可以返回函数,当然也可以返回其他值。另一种异步操作的解决方案,就是让 Action Creator 返回一个 Promise 对象。

  • 写法一,返回值是一个 Promise 对象。

  1. const fetchPosts =
  2. (dispatch,postTitle) => new Promise(function (resolve,reject) {
  3. dispatch(requestPosts(postTitle));
  4. return fetch(`/some/API/${postTitle}.json`)
  5. .then(response => {
  6. type: 'FETCH_POSTS',payload: response.json()
  7. });
  8. });
  • 写法二,Action 对象的payload属性是一个 Promise 对象。这需要从redux-actions模块引入createAction方法,并且写法也要变成下面这样。

  1. import { createAction } from 'redux-actions';
  2.  
  3. class AsyncApp extends Component {
  4. componentDidMount() {
  5. const { dispatch,selectedPost } = this.props
  6. // 发出同步 Action
  7. dispatch(requestPosts(selectedPost));
  8. // 发出异步 Action
  9. dispatch(createAction(
  10. 'FETCH_POSTS',fetch(`/some/API/${postTitle}.json`)
  11. .then(response => response.json())
  12. ));
  13. }

上面代码中,第二个dispatch方法发出的是异步 Action,只有等到操作结束,这个 Action 才会实际发出。注意,createAction的第二个参数必须是一个 Promise 对象。

redux-promise的源码

  1. export default function promiseMiddleware({ dispatch }) {
  2. return next => action => {
  3. if (!isFSA(action)) {
  4. return isPromise(action)
  5. ? action.then(dispatch)
  6. : next(action);
  7. }
  8.  
  9. return isPromise(action.payload)
  10. ? action.payload.then(
  11. result => dispatch({ ...action,payload: result }),error => {
  12. dispatch({ ...action,payload: error,error: true });
  13. return Promise.reject(error);
  14. }
  15. )
  16. : next(action);
  17. };
  18. }

从上面代码可以看出,如果 Action 本身是一个 Promise,它 resolve 以后的值应该是一个 Action 对象,会被dispatch方法送出(action.then(dispatch)),但 reject 以后不会有任何动作;如果 Action 对象的payload属性是一个 Promise 对象,那么无论 resolve 和 reject,dispatch方法都会发出 Action。

mapStateToProps()

  • mapStateToProps是一个函数。它的作用就是像它的名字那样,建立一个从(外部的)state对象到(UI 组件的)props对象的映射关系

  • mapStateToProps会订阅 Store,每当state更新的时候,就会自动执行,重新计算 UI 组件的参数,从而触发 UI 组件的重新渲染。

  • mapStateToProps的第一个参数总是state对象,还可以使用第二个参数,代表容器组件的props对象。

  • 使用ownProps作为参数后,如果容器组件的参数发生变化,也会引发 UI 组件重新渲染。

  • connect方法可以省略mapStateToProps参数,那样的话,UI 组件就不会订阅Store,就是说 Store 的更新不会引起 UI 组件的更新。

  1. // 容器组件的代码
  2. // <FilterLink filter="SHOW_ALL">
  3. // All
  4. // </FilterLink>
  5.  
  6. const mapStateToProps = (state,ownProps) => {
  7. return {
  8. active: ownProps.filter === state.visibilityFilter
  9. }
  10. }

mapDispatchToProps()

mapDispatchToProps是connect函数的第二个参数,用来建立 UI 组件的参数到store.dispatch方法的映射。也就是说,它定义了哪些用户的操作应该当作 Action,传给 Store。它可以是一个函数,也可以是一个对象。

mapDispatchToProps作为函数,应该返回一个对象,该对象的每个键值对都是一个映射,定义了 UI 组件的参数怎样发出 Action。

  1. const mapDispatchToProps = (
  2. dispatch,ownProps
  3. ) => {
  4. return {
  5. onClick: () => {
  6. dispatch({
  7. type: 'SET_VISIBILITY_FILTER',filter: ownProps.filter
  8. });
  9. }
  10. };
  11. }

如果mapDispatchToProps是一个对象,它的每个键名也是对应 UI 组件的同名参数,键值应该是一个函数,会被当作 Action creator ,返回的 Action 会由 Redux 自动发出。

  1. const mapDispatchToProps = {
  2. onClick: (filter) => {
  3. type: 'SET_VISIBILITY_FILTER',filter: filter
  4. };
  5. }

<Provider> 组件

React-Redux 提供Provider组件,可以让容器组件拿到state,它的原理是React组件的context属性,请看源码。

  1. class Provider extends Component {
  2. getChildContext() {
  3. return {
  4. store: this.props.store
  5. };
  6. }
  7. render() {
  8. return this.props.children;
  9. }
  10. }
  11.  
  12. Provider.childContextTypes = {
  13. store: React.PropTypes.object
  14. }

上面代码中,store放在了上下文对象context上面。然后,子组件就可以从context拿到store,代码大致如下。

  1. class VisibleTodoList extends Component {
  2. componentDidMount() {
  3. const { store } = this.context;
  4. this.unsubscribe = store.subscribe(() =>
  5. this.forceUpdate()
  6. );
  7. }
  8.  
  9. render() {
  10. const props = this.props;
  11. const { store } = this.context;
  12. const state = store.getState();
  13. // ...
  14. }
  15. }
  16.  
  17. VisibleTodoList.contextTypes = {
  18. store: React.PropTypes.object
  19. }

redux-thunk

我们知道,异步调用什么时候返回前端是无法控制的。对于redux这条严密的数据流来说,如何才能做到异步呢。redux-thunk的基本思想就是通过函数来封装异步请求,也就是说在actionCreater中返回一个函数,在这个函数中进行异步调用。我们已经知道,redux中间件只关注dispatch函数的传递,而且redux也不关心dispatch函数的返回值,所以只需要让redux认识这个函数就可以了。
看了一下redux-thunk的源码:

  1. function createThunkMiddleware(extraArgument) {
  2. return ({ dispatch,getState }) => next => action => {
  3. if (typeof action === 'function') {
  4. return action(dispatch,getState,extraArgument);
  5. }
  6. return next(action);
  7. };
  8. }
  9. const thunk = createThunkMiddleware();
  10. thunk.withExtraArgument = createThunkMiddleware;
  11. export default thunk;

这段代码跟上面我们看到的中间件没有太大的差别,唯一一点就是对action做了一下如下判断:

  1. if (typeof action === 'function') {
  2. return action(dispatch,extraArgument);
  3. }

也就是说,如果发现actionCreater传过来的action是一个函数的话,会执行一下这个函数,并以这个函数的返回值作为返回值。前面已经说过,redux对dispatch函数的返回值不是很关心,因此此处也就无所谓了。

这样的话,在我们的actionCreater中,我们就可以做任何的异步调用了,并且返回任何值也无所谓,所以我们可以使用promise了:

  1. function actionCreate() {
  2. return function (dispatch,getState) {
  3. // 返回的函数体内自由实现。。。
  4. Ajax.fetch({xxx}).then(function (json) {
  5. dispatch(json);
  6. })
  7. }
  8. }

最后还需要注意一点,由于中间件只关心dispatch的传递,并不限制你做其他的事情,因此我们最好将redux-thunk放到中间件列表的首位,防止其他中间件中返回异步请求。

猜你在找的React相关文章