redux教程之源码解析createStore

redux源码

redux的源码很简单,分为以下几部分

  • createStore
  • combineReducers
  • applyMiddleware
  • compose
  • bindActionCreators

createStore即入口函数生成store,将reducer和middleware关联起来

combineReducers即将分散的reducer最终合并成一个统一的reducer

applyMiddleware即将多个中间件一次合并到reducer中,生成一个最终的reducer

compose是一个函数,从右到左来组合多个函数。将中间件数组依次从后向前。将后一个中间件包裹在前一个中间件函数中。

//示例代码
import { createStore } from ‘redux‘

function todos(state = [], action) {
  switch (action.type) {
    case ‘ADD_TODO‘:
      return state.concat([action.text])
    default:
      return state
  }
}

let store = createStore(todos, [‘Use Redux‘])

store.dispatch({
  type: ‘ADD_TODO‘,
  text: ‘Read the docs‘
})

console.log(store.getState())
// [ ‘Use Redux‘, ‘Read the docs‘ ]
createStore即入口函数:
export default function createStore(reducer, preloadedState, enhancer) {
   /** 入口参数判断*/
  if (
    (typeof preloadedState === ‘function‘ && typeof enhancer === ‘function‘) ||
    (typeof enhancer === ‘function‘ && typeof arguments[3] === ‘function‘)
  ) {
     /** enhancer即中间件,中间件需要合在一起传入createStore*/
    throw new Error(
      ‘It looks like you are passing several store enhancers to ‘ +
        ‘createStore(). This is not supported. Instead, compose them ‘ +
        ‘together to a single function‘
    )
  }
/** preloadedState可以省略*/
  if (typeof preloadedState === ‘function‘ && typeof enhancer === ‘undefined‘) {
    enhancer = preloadedState
    preloadedState = undefined
  }
/**middleware需要为函数 */
  if (typeof enhancer !== ‘undefined‘) {
    if (typeof enhancer !== ‘function‘) {
      throw new Error(‘Expected the enhancer to be a function.‘)
    }

    return enhancer(createStore)(reducer, preloadedState)
  }
/**即reducer需要为函数, */
  if (typeof reducer !== ‘function‘) {
    throw new Error(‘Expected the reducer to be a function.‘)
  }

  let currentReducer = reducer
  let currentState = preloadedState
  let currentListeners = []
  let nextListeners = currentListeners
  let isDispatching = false
/** 将新的监听函数和当前监听函数隔离开*/
  function ensureCanMutateNextListeners() {
    if (nextListeners === currentListeners) {
      nextListeners = currentListeners.slice()
    }
  }

  /**
   * Reads the state tree managed by the store.
   *
   * @returns {any} The current state tree of your application.
   */
  /**获取Store的currentState */
  function getState() {
    if (isDispatching) {
      throw new Error(
        ‘You may not call store.getState() while the reducer is executing. ‘ +
          ‘The reducer has already received the state as an argument. ‘ +
          ‘Pass it down from the top reducer instead of reading it from the store.‘
      )
    }

    return currentState
  }

  /**绑定监听函数,即reducer执行完后后执行这些函数 */
  function subscribe(listener) {
    if (typeof listener !== ‘function‘) {
      throw new Error(‘Expected the listener to be a function.‘)
    }

    if (isDispatching) {
      throw new Error(
        ‘You may not call store.subscribe() while the reducer is executing. ‘ +
          ‘If you would like to be notified after the store has been updated, subscribe from a ‘ +
          ‘component and invoke store.getState() in the callback to access the latest state. ‘ +
          ‘See https://redux.js.org/api-reference/store#subscribe(listener) for more details.‘
      )
    }

    let isSubscribed = true
    /**新生成一个listener数组,以免push时影响 currentListener*/
    ensureCanMutateNextListeners()
    nextListeners.push(listener)

    /**返回一个解除绑定的函数 */
    return function unsubscribe() {
      if (!isSubscribed) {
        return
      }

      if (isDispatching) {
        throw new Error(
          ‘You may not unsubscribe from a store listener while the reducer is executing. ‘ +
            ‘See https://redux.js.org/api-reference/store#subscribe(listener) for more details.‘
        )
      }

      isSubscribed = false
      /**又出现了这个函数,确认是否可以变为下一个监听,z不知道这个函数有什么用 */
      ensureCanMutateNextListeners()
      /**确定解除绑定函数的位置并删除它 */
      const index = nextListeners.indexOf(listener)
      nextListeners.splice(index, 1)
    }
  }

  function dispatch(action) {
    /**判断action是否为纯对象 */
    if (!isPlainObject(action)) {
      throw new Error(
        ‘Actions must be plain objects. ‘ +
          ‘Use custom middleware for async actions.‘
      )
    }
    /**action必须有type */
    if (typeof action.type === ‘undefined‘) {
      throw new Error(
        ‘Actions may not have an undefined "type" property. ‘ +
          ‘Have you misspelled a constant?‘
      )
    }

    if (isDispatching) {
      throw new Error(‘Reducers may not dispatch actions.‘)
    }

    try {
      /**将isDispatching赋值为true,且开始执行reducer修改state */
      isDispatching = true
      currentState = currentReducer(currentState, action)
    } finally {
      isDispatching = false
    }
    /**执行完后通知listeners */
    const listeners = (currentListeners = nextListeners)
    for (let i = 0; i < listeners.length; i++) {
      const listener = listeners[i]
      listener()
    }

    return action
  }

  /**替换reducer,且初始化state */
  function replaceReducer(nextReducer) {
    if (typeof nextReducer !== ‘function‘) {
      throw new Error(‘Expected the nextReducer to be a function.‘)
    }

    currentReducer = nextReducer
    //初始化state
    dispatch({ type: ActionTypes.REPLACE })
  }

  function observable() {
    const outerSubscribe = subscribe
    return {
      subscribe(observer) {
        if (typeof observer !== ‘object‘ || observer === null) {
          throw new TypeError(‘Expected the observer to be an object.‘)
        }

        function observeState() {
          if (observer.next) {
            observer.next(getState())
          }
        }

        observeState()
        const unsubscribe = outerSubscribe(observeState)
        return { unsubscribe }
      },

      [$$observable]() {
        return this
      }
    }
  }

  // When a store is created, an "INIT" action is dispatched so that every
  // reducer returns their initial state. This effectively populates
  // the initial state tree.
  dispatch({ type: ActionTypes.INIT })

  return {
    dispatch,
    subscribe,
    getState,
    replaceReducer,
    [$$observable]: observable
  }
}

原文地址:https://www.cnblogs.com/qdcnbj/p/12687028.html

时间: 2025-01-07 14:59:45

redux教程之源码解析createStore的相关文章

redux教程之源码解析3applyMiddleware(分析在注释中)

applyMiddleware是另一个核心函数 首先我们需要知道如何使用中间件 eg: import { createStore, applyMiddleware } from 'redux' import todos from './reducers' function logger({ getState }) { return (next) => (action) => { console.log('will dispatch', action) // 调用 middleware 链中下一

Redux系列x:源码解析

写在前面 redux的源码很简洁,除了applyMiddleware比较绕难以理解外,大部分还是 这里假设读者对redux有一定了解,就不科普redux的概念和API啥的啦,这部分建议直接看官方文档. 此外,源码解析的中文批注版已上传至github,可点击查看.本文相关示例代码,可点击查看. 源码解析概览 将redux下载下来,然后看下他的目录结构. npm install redux 这里我们需要关心的主要是src目录,源码解析需要关心的文件都在这里面了 index.js:redux主文件,主

Android SVG动画PathView源码解析与使用教程(API 14)

使用的是一个第三方库android-pathview主要是一个自定义View--PathView,跟所有自定义View一样,重写了三个构造方法.并且最终调用三个参数的构造方法,在里面获取自定义属性. /** * Default constructor. * * @param context The Context of the application. */ public PathView(Context context) { this(context, null); } /** * Defau

智能聊天机器人实现(源码+解析)

前言: 之前写了一篇  <美女图片采集器 (源码+解析)> 得到了众多朋友的支持, 发现这样系列的教程还是挺受欢迎的, 也激励我继续写下去. 也在那一篇文章中提过, 美女图片采集只是我先前那个完整APP中的一个功能罢了, 还有其他几个比较好玩的尚未开源, 之后有时间会逐一写篇教程. 今天带来的是智能聊天机器人实现(源码+解析), 和上一篇教程一样, 当你没有女朋友的时候, 可以用它来打发时间.这里的API是图灵机器人提供的, 实现一个十分强大的机器人. 具体功能包括: ? 支持聊天对话.智能问

Andriod OKHttp源码解析

前言:对于 OkHttp 勤快学QKXue.NET接触的时间其实不太长,一直都是使用Retrofit + OkHttp 来做网络请求的,但是有同学说面试的时候可能会问框架源码,这样光是会用是不够的,于是便萌生了通一通OkHttp源码的念头.经过大约一周的时间,源码看了个大概(说来惭愧,也就知道里面的原理),这里变向大家介绍一下我的所得,希望对大家能有所帮助.这里推荐两篇博文: OkHttp 官方教程解析 - 彻底入门 OkHttp 使用 和 拆轮子系列:拆 OkHttp 前者能够让你入门OkHt

YTKNetwork源码解析

对于iOS开发者来说,就算是没有用过YTKNetwork框架,应该也见过,听过了.它是猿题库技术团队开源的一个网络请求框架,内部封装了AFNetworking.它把每个请求实例化,管理它的生命周期,也可以管理多个请求. 在正式讲解源码之前,我会先讲一下该框架所用的架构和设计模式.我总觉得对架构和设计有一定的了解的话,会有助于对源码的理解. 1. 架构 先上图: YTKRequest架构图 在这里简单说明一下: YTKNetwork框架将每一个请求实例化,YTKBaseRequest是所有请求类的

iOS开发- 自定义遮罩视图(引导, 功能说明)源码+解析

iOS开发- 自定义遮罩视图(引导, 功能说明)源码+解析 我们平时使用App的时候, 经常在第一次使用的时候, 会有类似"新手教程"之类的东西, 来引导我们应该如何使用这个App. 但是这个"新手教程"不同于常规的引导页(引导页指第一次打开App时候, 弹出的那种介绍视图. 他是静态的, 不需要与用户交互, 可以直接一页页翻, 或者直接跳过.)所谓的"新手教程", 就是按照App的提示, 一步步跟着完成. 那这个"新手教程"

OpenCV源码解析

OpenCV K-means源码解析 OpenCV 图片读取源码解析 OpenCV 视频播放源码解析 读懂OpenCV源码需要哪些基础? 通读过C++ Primer,目前C++属于入门级, 数字图像处理基础也有.目前看不懂OpenCV源码,请问还需要哪些基础, 从哪些方面入手源码比较好呢?谢谢 回答: 半年前实习的时候,在那个公司参与用OpenCV c++版本的开发公司自己的CV库.体会还比较深,现在回想起来,大概会有这么一些建议: 1. C++需要多了解一下,建议看看Bjarne大神的书 Op

BottomSheets源码解析

原文地址:https://github.com/android-cjj/BottomSheets https://github.com/android-cjj/SourceAnalysis 如果使用上遇到坑,点击链接加入群[GitHub小伙伴交流群''']:http://jq.qq.com/?_wv=1027&k=27lxYHB''' ,群号:477826523 帮你搞定一切bug... Android Support Library 23.2里的 Design Support Library新