react-redux源碼解析

来源:https://www.cnblogs.com/createGod/archive/2018/05/23/9077618.html
-Advertisement-
Play Games

一、 react-redux 和 redux是兩個東西。在做react項目的時候,一般用react-redux和redux搭配起來開發。redux主要是做數據、狀態的管理,而react-redux主要是方便數據redux在react使用。 二、源碼解析 1)、 入口文件index.js 2)、Pro ...


一、 react-redux 和 redux是兩個東西。在做react項目的時候,一般用react-redux和redux搭配起來開發。redux主要是做數據、狀態的管理,而react-redux主要是方便數據redux在react使用。

二、源碼解析

1)、 入口文件index.js

 1 import Provider, { createProvider } from './components/Provider'
 2 import connectAdvanced from './components/connectAdvanced'
 3 import connect from './connect/connect'
 4 
 5 /*
 6     對外暴露的API
 7     Provider,
 8     createProvider,
 9     connectAdvanced,
10     connect,
11     根據每個APi追溯其源頭
12  */
13 export { Provider, createProvider, connectAdvanced, connect }

2)、Provider.js 

 1 import { Component, Children } from 'react'
 2 import PropTypes from 'prop-types'
 3 import { storeShape, subscriptionShape } from '../utils/PropTypes'
 4 import warning from '../utils/warning'
 5 
 6 let didWarnAboutReceivingStore = false
 7 function warnAboutReceivingStore() {
 8   if (didWarnAboutReceivingStore) {
 9     return
10   }
11   didWarnAboutReceivingStore = true
12 
13   warning(
14     '<Provider> does not support changing `store` on the fly. ' +
15     'It is most likely that you see this error because you updated to ' +
16     'Redux 2.x and React Redux 2.x which no longer hot reload reducers ' +
17     'automatically. See https://github.com/reduxjs/react-redux/releases/' +
18     'tag/v2.0.0 for the migration instructions.'
19   )
20 }
21 // 對外暴露 createProvider 方法 。
22 export function createProvider(storeKey = 'store', subKey) {
23     const subscriptionKey = subKey || `${storeKey}Subscription`
24 
25     // 定義一個Provider類
26     class Provider extends Component {
27         getChildContext() {
28           return { [storeKey]: this[storeKey], [subscriptionKey]: null }
29         }
30 
31         constructor(props, context) {
32           super(props, context)
33           this[storeKey] = props.store;
34         }
35         // 其實就是頂層組件
36         render() {
37           return Children.only(this.props.children)
38         }
39     }
40 
41     if (process.env.NODE_ENV !== 'production') {
42       Provider.prototype.componentWillReceiveProps = function (nextProps) {
43         if (this[storeKey] !== nextProps.store) {
44           warnAboutReceivingStore()
45         }
46       }
47     }
48 
49     Provider.propTypes = {
50         store: storeShape.isRequired,
51         children: PropTypes.element.isRequired,
52     }
53     Provider.childContextTypes = {
54         [storeKey]: storeShape.isRequired,
55         [subscriptionKey]: subscriptionShape,
56     }
57 
58     return Provider
59 }
60 
61 // 對外暴露Provider 組件   createProvider() => Provider;
62 export default createProvider()

3)、connect.js

 1 import connectAdvanced from '../components/connectAdvanced'
 2 import shallowEqual from '../utils/shallowEqual'
 3 import defaultMapDispatchToPropsFactories from './mapDispatchToProps'
 4 import defaultMapStateToPropsFactories from './mapStateToProps'
 5 import defaultMergePropsFactories from './mergeProps'
 6 import defaultSelectorFactory from './selectorFactory'
 7 
 8 /*
 9   connect is a facade over connectAdvanced. It turns its args into a compatible
10   selectorFactory, which has the signature:
11 
12     (dispatch, options) => (nextState, nextOwnProps) => nextFinalProps
13   
14   connect passes its args to connectAdvanced as options, which will in turn pass them to
15   selectorFactory each time a Connect component instance is instantiated or hot reloaded.
16 
17   selectorFactory returns a final props selector from its mapStateToProps,
18   mapStateToPropsFactories, mapDispatchToProps, mapDispatchToPropsFactories, mergeProps,
19   mergePropsFactories, and pure args.
20 
21   The resulting final props selector is called by the Connect component instance whenever
22   it receives new props or store state.
23  */
24 
25 function match(arg, factories, name) {
26   for (let i = factories.length - 1; i >= 0; i--) {
27     const result = factories[i](arg)
28     if (result) return result
29   }
30 
31   return (dispatch, options) => {
32     throw new Error(`Invalid value of type ${typeof arg} for ${name} argument when connecting component ${options.wrappedComponentName}.`)
33   }
34 }
35 
36 function strictEqual(a, b) { return a === b }
37 
38 // createConnect with default args builds the 'official' connect behavior. Calling it with
39 // different options opens up some testing and extensibility scenarios
40 // 對外暴露crateConnect方法
41 export function createConnect({
42   connectHOC = connectAdvanced,
43   mapStateToPropsFactories = defaultMapStateToPropsFactories,
44   mapDispatchToPropsFactories = defaultMapDispatchToPropsFactories,
45   mergePropsFactories = defaultMergePropsFactories,
46   selectorFactory = defaultSelectorFactory
47 } = {}) {
48   // 返回一個connect函數。 接收 mapStateToProps, mapDispatchToProps, megeProps等等參數
49   return function connect(
50     mapStateToProps,
51     mapDispatchToProps,
52     mergeProps,
53     {
54       pure = true,
55       areStatesEqual = strictEqual,
56       areOwnPropsEqual = shallowEqual,
57       areStatePropsEqual = shallowEqual,
58       areMergedPropsEqual = shallowEqual,
59       ...extraOptions
60     } = {}
61   ) {
62     const initMapStateToProps = match(mapStateToProps, mapStateToPropsFactories, 'mapStateToProps')
63     const initMapDispatchToProps = match(mapDispatchToProps, mapDispatchToPropsFactories, 'mapDispatchToProps')
64     const initMergeProps = match(mergeProps, mergePropsFactories, 'mergeProps')
65     // 調用connectHOC方法
66     return connectHOC(selectorFactory, {
67       // used in error messages
68       methodName: 'connect',
69 
70        // used to compute Connect's displayName from the wrapped component's displayName.
71       getDisplayName: name => `Connect(${name})`,
72 
73       // if mapStateToProps is falsy, the Connect component doesn't subscribe to store state changes
74       shouldHandleStateChanges: Boolean(mapStateToProps),
75 
76       // passed through to selectorFactory
77       initMapStateToProps,
78       initMapDispatchToProps,
79       initMergeProps,
80       pure,
81       areStatesEqual,
82       areOwnPropsEqual,
83       areStatePropsEqual,
84       areMergedPropsEqual,
85 
86       // any extra options args can override defaults of connect or connectAdvanced
87       ...extraOptions
88     })
89   }
90 }
91 
92 export default createConnect()

 

 

  


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 1、頁面內跳轉 當<a>元素用於頁面內的錨點跳轉時,應該先為該頁面設置一些錨點,而定義錨點有兩種辦法: 通過<a>元素的name屬性來定義,如:<a name="anchor-name">name屬性的值就是錨點的名稱<a> 通過其他元素的id屬性來定義,如:<div id="anchor-name ...
  • jQuery UI 其建立在 jQuery JavaScript 庫上。大致涉及三方面:用戶界面交互(與滑鼠交互相關的內容)、特效(提供豐富的動畫)、小部件(主要是一些界面的擴展)及主題 先來看一個用jQuery UI實現一個簡單的選擇題 Interactions主要包括(droppable,res ...
  • HTML5拖放 拖放(Drag和drop)是H5標準的組成部分 此處需具備js基礎知識及其H5拖拽部分相關方法 下麵來看幾個例子 第一:本地拖放 第二:H5拖放 ...
  • 前面的話 CSS不能算是嚴格意義的編程語言,但是在前端體系中卻不能小覷。 CSS 是以描述為主的樣式表,如果描述得混亂、沒有規則,對於其他開發者一定是一個定時炸彈,特別是有強迫症的人群。CSS 看似簡單,想要寫出漂亮的 CSS 還是相當困難。所以校驗 CSS 規則的行動迫在眉睫。stylelint是 ...
  • 倒圓角 <!DOCTYPE html><html lang="en"><head> <meta charset="UTF-8"> <title>Document</title></head><body> <h1>圓角邊框 —— border-radius IE9</h1> <!-- border-r ...
  • [1]發展歷史 [2]詳細配置 [3]NodeJS [4]React [5]Vue ...
  • 上篇文章我們對漸進式Web應用(PWA)做了一些基本的介紹。 漸進式Web應用(PWA)入門教程(上) 在這一節中,我們將介紹PWA的原理是什麼,它是如何開始工作的。 第一步:使用HTTPS 漸進式Web應用程式需要使用HTTPS連接。雖然使用HTTPS會讓您伺服器的開銷變多,但使用HTTPS可以讓 ...
  • 插入排序和選擇排序--學習筆記 從《演算法導論》學習了插入排序,選擇排序是在課後練習出現的,代碼用javascript編寫。 首先,瞭解一下插入排序和選擇排序。類似玩撲克游戲,如下圖(摘自《演算法導論》-- 插入排序的附圖): 插入排序和選擇排序就像兩個不同習慣的人:一個人喜歡一張一張地摸牌(插入排序) ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...