compose(...functions)
从右到左来组合多个函数。
这是函数式编程中的方法,为了方便,被放到了 Redux 里。 当需要把多个 store 增强器 依次执行的时候,需要用到它。
参数
- (arguments): 需要合成的多个函数。每个函数都接收一个函数作为参数,然后返回一个函数。
返回值
(Function): 从右到左把接收到的函数合成后的最终函数。
示例
下面示例演示了如何使用 compose
增强 store,这个 store 与 applyMiddleware
和 redux-devtools 一起使用。
1 import { createStore, combineReducers, applyMiddleware, compose } from 'redux'; 2 import thunk from 'redux-thunk'; 3 import * as reducers from '../reducers/index'; 4 5 let reducer = combineReducers(reducers); 6 let middleware = [thunk]; 7 8 let finalCreateStore; 9 10 // 生产环境中,我们希望只使用 middleware。 11 // 而在开发环境中,我们还希望使用一些 redux-devtools 提供的一些 store 增强器。 12 // UglifyJS 会在构建过程中把一些不会执行的死代码去除掉。 13 14 if (process.env.NODE_ENV === 'production') { 15 finalCreateStore = applyMiddleware(...middleware)(createStore); 16 } else { 17 finalCreateStore = compose( 18 applyMiddleware(...middleware), 19 require('redux-devtools').devTools(), 20 require('redux-devtools').persistState( 21 window.location.href.match(/[?&]debug_session=([^&]+)/) 22 ), 23 createStore 24 ); 25 26 // 不使用 compose 来写是这样子: 27 // 28 // finalCreateStore = 29 // applyMiddleware(middleware)( 30 // devTools()( 31 // persistState(window.location.href.match(/[?&]debug_session=([^&]+)/))( 32 // createStore 33 // ) 34 // ) 35 // ); 36 } 37 38 let store = finalCreateStore(reducer);
小贴士
compose
做的只是让你不使用深度右括号的情况下来写深度嵌套的函数。不要觉得它很复杂。