# redux之compose的理解

redux之compose的理解

應用

最近給本身的react項目添加redux的時候,用到了redux中的compose函數,使用compose來加強store,下面是我在項目中的一個應用:javascript

import {createStore,applyMiddleware,compose} from 'redux';
import createSagaMiddleware from 'redux-saga';
const sagaMiddleware = createSagaMiddleware();
const middlewares = [];

let storeEnhancers = compose(
    applyMiddleware(...middlewares,sagaMiddleware),
    (window && window .devToolsExtension) ? window .devToolsExtension() : (f) => f,
);

const store = createStore(rootReducer, initialState={} ,storeEnhancers);

上面這段代碼可讓storeapplyMiddleware devToolsExtension 一塊兒使用。java

reduce方法

在理解compose函數以前先來認識下什麼是reduce方法?
官方文檔上是這麼定義reduce方法的:react

reduce() 方法對累加器和數組中的每一個元素(從左到右)應用一個函數,將其簡化爲單個值。

看下函數簽名:git

arr.reduce(callback[, initialValue])

callback
執行數組中每一個值的函數,包含四個參數:github

  • accumulator(累加器)
    累加器累加回調的返回值; 它是上一次調用回調時返回的累積值,或initialValue
  • currentValue(當前值)
    數組中正在處理的元素。
  • currentIndex可選(當前索引
    數組中正在處理的當前元素的索引。 若是提供了initialValue,則索引號爲0,不然爲索引爲1。
  • array可選(數組
    調用reduce()的數組
  • initialValue可選(初始值
    用做第一個調用 callback的第一個參數的值。 若是沒有提供初始值,則將使用數組中的第一個元素。 在沒有初 始值的空數組上調用 reduce 將報錯。

下面看一個簡單的例子:
數組求和面試

var sum = [0, 1, 2, 3].reduce(function (a, b) {
  return a + b;
}, 0);
// sum 值爲 6

這個例子比較簡單,下面再看個稍微複雜點的例子,計算數組中每一個元素出現的次數:算法

var series = ['a1', 'a3', 'a1', 'a5',  'a7', 'a1', 'a3', 'a4', 'a2', 'a1'];

var result= series.reduce(function (accumulator, current) {
    if (current in accumulator) {
        accumulator[current]++;
    }
    else {
        accumulator[current] = 1;
    }
    return accumulator;
}, {});

console.log(JSON.stringify(result));
// {"a1":4,"a3":2,"a5":1,"a7":1,"a4":1,"a2":1}

這個例子很巧妙的利用了數組的reduce方法,在不少算法面試題中也常常用到。這裏須要注意的是須要指定initialValue參數。redux

經過reduce函數還能夠實現數組去重:數組

var a = [1, 1, 2, 3, 4, 4, 5, 6, 6, 6, 7];
Array.prototype.duplicate = function() {
    return this.reduce(function(cal, cur) {
        if(cal.indexOf(cur) === -1) {
            cal.push(cur);
        }
        return cal;
    }, [])
}

var newArr = a.duplicate();

compose函數

理解完了數組的reduce方法以後,就很容易理解compose函數了,由於實際上compose就是藉助於reduce來實現的。看下官方源碼app

export default function compose(...funcs) {
  if (funcs.length === 0) {
    return arg => arg
  }

  if (funcs.length === 1) {
    return funcs[0]
  }

  return funcs.reduce((a, b) => (...args) => a(b(...args)))
}

compose的返回值仍是一個函數,調用這個函數所傳遞的參數將會做爲compose最後一個參數的參數,從而像'洋蔥圈'似的,由內向外,逐步調用。

看下面的例子:

import { compose } 'redux';

// function f
const f = (arg) => `函數f(${arg})` 

// function g
const g = (arg) => `函數g(${arg})`

// function h 最後一個函數能夠接受多個參數
const h = (...arg) => `函數h(${arg.join('_')})`

console.log(compose(f,g,h)('a', 'b', 'c')) //函數f(函數g(函數h(a_b_c)))

因此最後返回的就是這樣的一個函數 compose(fn1, fn2, fn3) (...args) = > fn1(fn2(fn3(...args)))

下面的是個人公衆號二維碼圖片,歡迎關注。
在這裏插入圖片描述

相關文章
相關標籤/搜索