redux探索:rematch

redux存在的問題

  • 項目中redux的樣板文件太分散,書寫和維護都比較麻煩react

  • 使用thunk來處理異步操做,不是那麼直觀git

方案對比

基於redux數據流的管理方案:Dvamirrorrematchgithub

Dva

Dva是螞蟻金服開源的一個數據流管理方案,基於redux和redux-saga,簡化了開發體驗。Dva是一攬子的解決方案,可使用侵入性很強的dva-cli來快速搭建項目,提供了路由層面的適配;也可使用dva-core來引入核心的代碼,減小侵入性。json

缺點
  • 若是使用Dva的一整套框架,現有的項目會有較大的改動redux

  • Dva使用redux-saga來處理異步,學習成本比較高promise

mirrorbash

相似於Dva的一個redux數據流方案,最新一次更新在兩個月以前,一直沒有發佈1.0的版本react-router

rematch框架

rematch的靈感來自於Dva和mirror,將二者的有點結合了起來。less

優勢
  • 使用了相似Dva的model文件結構,統一管理同步和異步操做

  • 經過中間鍵實現了async/await的方式來處理異步,捨棄了Dva中的redux-saga

  • 提供了redux的配置項,能夠兼容項目中的老代碼

  • 支持多個store

缺點?
  • 將model中reducers和effects的方法掛載在dispatch函數上,形成dispatch既是一個函數,又是一個對象


Rematch Mirror Dva
適用框架 全部框架 / 不使用框架 React React
適用路由 全部路由 / 不使用路由 RR4 RR3, RR4 / 不使用路由
移動端 ×
開發者工具 Redux, Reactotron Redux Redux
插件化
reducers
effects async/await async/await redux saga
effect params (payload, internals) (action, state) (action, state)
監聽方式 subscriptions hooks subscriptions
懶加載模型
鏈式 dispatch
直接 dispatch
dispatch promises
加載插件
persist plugin
package size 14.9k(gzipped: 5.1k)|| redux + thunk: 6k(2k) 130.4k(gzipped: 33.8k) dva-core: 72.6k(gzipped: 22.5k)

rematch

API

import { init } from '@rematch/core';
  ​
  const store = init({
    models: {
      count: {
        state: 0,
        reducers: {
          add: (state, payload) => state + payload,
          del: (state, payload) => state - payload,
          'otherModel/actionName': (state, payload) => state + payload,
        },
        effets: {
          async loadData(payload, rootState) {
            const response = await fetch('http://example.com/data')
            const data = await response.json()
            this.add(data)
          }
        }
      }
      list: {}
    },
    redux: {
      reducers: {},
      middlewares: [thunk],
    },
    plugins: [loading]
  })複製代碼

init

對rematch進行初始化,返回一個store對象,包含了使用redux初始化store對象的全部字段。

models: { [string]: model }

一個對象,屬性的鍵做爲rootState上的的鍵

model.state: any

用來初始化model

model.reducers: { [string]: (state, payload) => any }

一個對象,屬性是用來改變model state的方法,第一個參數是這個model的上一個state,第二個參數是payload,函數返回model下一個state。這些方法應該是純函數。

model.effects: { [string]: (payload, rootState) }

一個對象,異步或者非純函數的方法放在這個對象中,能夠與async/await一塊兒使用

redux

經過這個屬性,能夠兼容老項目中的redux配置。

plugins

rematch是一個插件系統,經過這個字段能夠配置第三方的插件。

redux流程:


rematch流程:

例子

##index.js
  import React from 'react'
  import ReactDOM from 'react-dom'
  import { Provider } from 'react-redux'
  import { init } from '@rematch/core'
  import App from './App'
  ​
  const count = {
    state: 0,
    reducers: {
      increment: s => s + 1,
    },
    effects: dispatch => ({
      async asyncIncrement() {
        await new Promise(resolve => {
          setTimeout(resolve, 1000)
        })
        dispatch.count.increment()
      },
    }),
  }
  ​
  const store = init({
    count,
  })
  ​
  // Use react-redux's <Provider /> and pass it the store. ReactDOM.render( <Provider store={store}> <App /> </Provider>, document.getElementById('root') ) ​ ​ ##App.js import React from 'react' import { connect } from 'react-redux' ​ // Make a presentational component. // It knows nothing about redux or rematch. const App = ({ count, asyncIncrement, increment }) => ( <div> <h2> count is <b style={{ backgroundColor: '#ccc' }}>{count}</b>
      </h2>
  ​
      <h2>
        <button onClick={increment}>Increment count</button>{' '}
        <em style={{ backgroundColor: 'yellow' }}>(normal dispatch)</em>
      </h2>
  ​
      <h2>
        <button onClick={asyncIncrement}>
          Increment count (delayed 1 second)
        </button>{' '}
        <em style={{ backgroundColor: 'yellow' }}>(an async effect!!!)</em>
      </h2>
    </div>
  )
  ​
  const mapState = state => ({
    count: state.count,
  })
  ​
  const mapDispatch = dispatch => ({
    increment: dispatch.count.increment,
    asyncIncrement: dispatch.count.asyncIncrement,
  })
  ​
  // Use react-redux's connect export default connect( mapState, mapDispatch )(App) ​複製代碼

老項目接入

主要針對已經使用thunk中間鍵的老項目。

一、安裝依賴,並刪除依賴中的redux

yarn add @rematch/core

yarn remove redux (刪除redux可能會形成eslint報錯)

二、修改redux入口文件

src/store/index.js
  ​
  import { init } from '@rematch/core';
  import thunk from 'redux-thunk';
  import reduxReducerConfig from '@/reducers';
  import models from '../models';
  ​
  const store = init({
    models,
    redux: {
      reducers: {
        ...reduxReducerConfig
      },
      middlewares: [thunk],
    },
  });
  ​
  export default store;複製代碼

三、修改reducers的入口文件

import { routerReducer as routing } from 'react-router-redux';
  - import { combineReducers } from 'redux';
  import dispatchConfigReducer from './dispatch-config';
  import counterReducer from './count';
  ​
  - export default combineReducers({
  -   routing,
  -   dispatchConfigReducer,
  -   counterReducer,
  - });
  ​
  + export default {
  +   routing,
  +   dispatchConfigReducer,
  +   counterReducer,
  + };複製代碼

四、增長model的入口文件

+ src/models
  + src/models/re-count.js
  + src/models/config-list.js
  + src/models/index.js
  ​
  index.js
  ​
  import reCount from './re-count';
  import configList from './config-list';
  ​
  export default {
    reCount,
    configList,
  };複製代碼

若是老項目中沒有使用redux,可使用yarn remove thunk刪除thunk的依賴和reducers這個文件夾,而且在init初始化的時候能夠不用傳redux這個配置。

若是接入rematch,須要鎖定版本,rematch中引入的redux版本爲4.0.0,因此老項目中的redux要更新爲爲4.0.0,否則打包的時候會把兩個版本的redux都打進去。

新項目配置

index.js
  ​
  import React from 'react';
  import { render } from 'react-dom';
  import { browserHistory, Router } from 'react-router';
  import { syncHistoryWithStore } from 'react-router-redux';
  import { Provider } from 'react-redux';
  import routes from '@/routes';
  import store from '@/store';
  import '@/styles/index.less';
  ​
  const history = syncHistoryWithStore(browserHistory, store);
  ​
  render(
    <Provider store={store}>
      <Router history={history} routes={routes} />
    </Provider>,
    document.getElementById('root'),
  );
  ​
  ---------------------------------------------------------------------------------------
  ​
  新建store文件夾,並添加index.js
  ​
  import { init } from '@rematch/core';
  import { routerReducer as routing } from 'react-router-redux';
  import models from '../models';
  ​
  const store = init({
    models,
    redux: {
      reducers: {
        routing,
      },
    },
  });
  ​
  export default store;
  ​
  ---------------------------------------------------------------------------------------
  ​
  新建models文件夾,並添加index
  ​
  models結構
  ├── common
  │   ├── bizLineList.js
  │   └── index.js
  └── index.js複製代碼

bug

Redux DevTools 要升級到最新版,2.16.0有bug

參考

從新思考Redux

Rematch: 從新設計 Redux

精讀《從新思考 Redux》

相關文章
相關標籤/搜索