Redux做为通用的状态管理器,能够搭配任意界面框架。因此并搭配react使用的话就要借助redux官方提供的React绑定库react-redux,以高效灵活的在react中使用redux。下面咱们一块儿看看是react-redux如何灵活高效的html
在开始之间仍是大概提一下redux的内容,以避免脱节。比较早的时候也解读了下redux的源码实现,能够参考一下react
Redux 是 JavaScript 状态容器,旨在提供可预测化的状态管理。 其包括action、store、reducer等三部分:git
在理解各部分做用以前,咱们能够经过一个更新数据的例子来捋下思路:github
根据上面的例子咱们再对比下redux的流程图(图片来自阮一峰大佬): 能够对照着来理解不一样部分的做用。数据库
就如上面所说负责更新字段和更新时机。 用户接触到的是view(即用户界面),对应的更新信息经过acton传递给reducer。redux
function addTodo(text) {
return {
// 更新类型及具体内容
type: ADD_TODO,
text
}
}
复制代码
负责更新数据的具体逻辑。
即根据当前state及action携带的信息合成新的数据。api
function todoApp(state = initialState, action) {
switch (action.type) {
case SET_VISIBILITY_FILTER:
return Object.assign({}, state, {
visibilityFilter: action.filter
})
// 不一样更新类型的处理逻辑不一样
case ADD_TODO:
return Object.assign({}, state, {
todos: [
...state.todos,
{
text: action.text,
completed: false
}
]
})
default:
return state
}
}
复制代码
store就是负责维护和管理数据。 此外还有dispatch,subscrible等api来完成更新事件的分发。 例如:缓存
import { createStore } from 'redux'
import todoApp from './reducers'
let store = createStore(todoApp)
import {
addTodo} from './actions'
// 注册监听事件
const unsubscribe = store.subscribe(() => console.log(store.getState()))
// 发起一系列 action
store.dispatch(addTodo('Learn about actions'))
// 中止监听
unsubscribe()
复制代码
到这里,咱们应该就大概明白redux如何更新管理数据的了。app
那么对照react-redux的实例官方demo,来结合React的时候,会发现redux使用有些不一样之处。框架
大概能够有下面这三点:
能够猜想,上述差别是React-redux帮咱们封装了绑定监听等过程,避免须要每一个应用都重复相同的操做。使得React组件的数据源只关注props和state。
下面带着这些问题深刻了解React-redux.
本质上 react-redux也是react高阶组件HOC的一种实现。其基于 容器组件和展现组件相分离 的开发思想来实现的。 其核心是经过两部分来实现: 一、Provider 二、container经过connect来解除手动调用store.subscrible
provider用法以下,绑定以后,再通过connect处理,就能够在组件中经过props访问对应信息了。
import React from 'react'
import { render } from 'react-dom'
import { Provider } from 'react-redux'
import { createStore } from 'redux'
import todoApp from './reducers'
import App from './components/App'
let store = createStore(todoApp)
render(
// 绑定store
<Provider store={store}>
<App /> </Provider>,
document.getElementById('root')
)
复制代码
在看源码以前,咱们先自行猜想一下。
前面也提到了Provider是React组件。
那么为了让子组件都能方便的访问到store,store这个属性会如何传递呢。props?context?
import { Component, Children } from 'react'
export default class Provider extends Component {
// 声明context 以被子组件获取。
getChildContext() {
return { store: this.store }
}
constructor(props, context) {
super(props, context)
// 挂载store到Provider
this.store = props.store
}
render() {
// 判断是否只有一个child,是则返回该child节点,不然抛错
return Children.only(this.props.children)
}
}
复制代码
Provider将store传递给子组件,具体如何和组件绑定就是conect作的事情了。
connect链接组件和store,该操做并不修改原组件而是返回一个新的加强了关联store的组件。
根据这个描述,这显然就是个React高阶组件(HOC)吗。先看一下使用:
connect([mapStateToProps], [mapDispatchToProps], [mergeProps], [options])
复制代码
接收四个参数,具体每一个参数的做用详细能够参考cn.redux.js.org/docs/react-…
import { connect } from 'react-redux'
import { toggleTodo } from '../actions'
import TodoList from '../components/TodoList'
import { VisibilityFilters } from '../actions'
const getVisibleTodos = (todos, filter) => {
switch (filter) {
case VisibilityFilters.SHOW_ALL:
return todos
case VisibilityFilters.SHOW_COMPLETED:
return todos.filter(t => t.completed)
case VisibilityFilters.SHOW_ACTIVE:
return todos.filter(t => !t.completed)
default:
throw new Error('Unknown filter: ' + filter)
}
}
// 将store中的state做为props传递给被包裹组件
// mapStateToProps对应当前组件所须要的props,不过这个props显然是要从store中抽取的,不是全部store都须要,因此只会取state.todos
const mapStateToProps = state => ({
todos: getVisibleTodos(state.todos, state.visibilityFilter)
})
// 将action 与被包裹组件相绑定。
// 其实就是将action中的方法赋值到Props上,以便在组件中调用toggleTodo方法
const mapDispatchToProps = dispatch => ({
toggleTodo: id => dispatch(toggleTodo(id))
})
// 被包裹组件就对应TodoList
export default connect(
mapStateToProps,
mapDispatchToProps
)(TodoList)
复制代码
connect实现比较复杂一点,返回的是个高阶函数咱们能够先看该函数实现了什么。
首先该方法接受相关参数,进行参数的判断和兼容处理(不指定使用默认)。 并返回一个 wrapWithConnect 方法来装饰传入的容器组件。
// 每一个参数的默认实现
const defaultMapStateToProps = state => ({}) // eslint-disable-line no-unused-vars
const defaultMapDispatchToProps = dispatch => ({ dispatch })
const defaultMergeProps = (stateProps, dispatchProps, parentProps) => ({
...parentProps,
...stateProps,
...dispatchProps
})
export default function connect(mapStateToProps, mapDispatchToProps, mergeProps, options = {}) {
// 须要store中的state才会去监听
const shouldSubscribe = Boolean(mapStateToProps)
// 更新state 方法的兼容,无mapStateToProps则使用默认
const mapState = mapStateToProps || defaultMapStateToProps
let mapDispatch
// action creater是否为 函数
if (typeof mapDispatchToProps === 'function') {
// 函数直接赋值
mapDispatch = mapDispatchToProps
} else if (!mapDispatchToProps) {
// 不存在,则使用默认方法
mapDispatch = defaultMapDispatchToProps
} else {
// 不然 将action Creater 包装起来
mapDispatch = wrapActionCreators(mapDispatchToProps)
}
const finalMergeProps = mergeProps || defaultMergeProps
const { pure = true, withRef = false } = options
const checkMergedEquals = pure && finalMergeProps !== defaultMergeProps
function wrapWithConnect(WrappedComponent) {
const connectDisplayName = `Connect(${getDisplayName(WrappedComponent)})`
class Connect extends Component {/****/}
// ****
return hoistStatics(Connect, WrappedComponent)
}
复制代码
wrapWithConnect 函数接受一个组件(connect这就是个HOC。返回一个connect组件
// ****省略*****
// hoistStatics的做用:经常使用语高阶组件中,将被包裹元素的静态方法,“同步”到容器元素中。
// 也就是 connect中那些WrappedComponent属性的mix
return hoistStatics(Connect, WrappedComponent)
复制代码
这里,就是HOC常见的增长功能的实现了。 也就是加强与redux的关联,让使用者只须要关注props,而非每次都要本身手动绑定。
既然connect存在生命周期,那就顺着生命周期看看
this.store 即Provider中挂载的Store
// 构造函数,获取store中的state
constructor(props, context) {
super(props, context)
this.version = version
// props或者context中,这是provider中挂载的store
this.store = props.store || context.store
// 获取state
const storeState = this.store.getState()
// 初始化state
this.state = { storeState }
this.clearCache()
}
复制代码
shouldComponentUpdate这里会根据options里面的参数来看是否 pure 选择不一样的更新策略
shouldComponentUpdate() {
return !pure || this.haveOwnPropsChanged || this.hasStoreStateChanged
}
复制代码
componentDidMount 根据前面的shouldSubscribe标识(mapStateToProps是否为true)决定是否增长监听事件
componentDidMount() {
this.trySubscribe()
}
trySubscribe() {
// 存在监听必要 而且没有注册过监听事件
if (shouldSubscribe && !this.unsubscribe) {
// 业务组件中没有使用的subscribe 在这里实现,这也是HOC的用法之一,公共方法的抽离
// 注册完成以后,this.unsubscribe为对一个unsubscribe回调
this.unsubscribe = this.store.subscribe(this.handleChange.bind(this))
this.handleChange()
}
}
复制代码
componentWillReceiveProps 判断是否更新 ,对于pure 组件 这里就涉及到了shallowEqual。 经过shallowEqual的实现,咱们能够获得Immtable的重要性
componentWillReceiveProps(nextProps) {
if (!pure || !shallowEqual(nextProps, this.props)) {
this.haveOwnPropsChanged = true
}
}
复制代码
由此能够看到Immutable的重要性。对于引用类型的数据,只是比较了引用地址是否相同。
对于嵌套引用数据类型,只比较key的长度和value引用地址,并无进一步深刻比较。致使嵌套结构并不适用。
export default function shallowEqual(objA, objB) {
// 引用地址是否相同
if (objA === objB) {
return true
}
const keysA = Object.keys(objA)
const keysB = Object.keys(objB)
// key长度是否相同
if (keysA.length !== keysB.length) {
return false
}
// 循环比较,vakue思否相同,对于嵌套引用类型,这种比较是不能知足预期的。
const hasOwn = Object.prototype.hasOwnProperty
for (let i = 0; i < keysA.length; i++) {
if (!hasOwn.call(objB, keysA[i]) ||
objA[keysA[i]] !== objB[keysA[i]]) {
return false
}
}
return true
}
复制代码
再下面是render,对因而否更新进行判断,便是否更新传递给子组件的props render的关注点在于 传递给WrappedComponent的props如何得到。
// this.mergedProps 的计算
if (withRef) {
this.renderedElement = createElement(WrappedComponent, {
...this.mergedProps,
ref: 'wrappedInstance'
})
} else {
this.renderedElement = createElement(WrappedComponent,
this.mergedProps
)
}
复制代码
计算this.mergedProps 最终传递下去的props是通过mapStateToProps,mapDispatchToProps计算以后,最后再由mergeProps计算以后的state。
// 简化代码
this.mergedProps = nextMergedProps = computeMergedProps(this.stateProps, this.dispatchProps, this.props)
/** * 得到最终props 即通过参数中的 * @param {*} stateProps 通过mapStateToProps以后的结果 * @param {*} dispatchProps mapDispatchToProps以后的结果 * @param {*} parentProps 此处即为connect组件的props this.props * @returns */
function computeMergedProps(stateProps, dispatchProps, parentProps) {
// finalMergeProps 即为参数中的mergeProps 或者 defaultMergeProps。 将前两参数计算结果再进行处理。
const mergedProps = finalMergeProps(stateProps, dispatchProps, parentProps)
if (process.env.NODE_ENV !== 'production') {
checkStateShape(mergedProps, 'mergeProps')
}
return mergedProps
}
复制代码
到这里connect的做用也体现出来了:
此时再回过头去看上面的例子应该更清晰了。
到这里就结束了react-redux的源码解析,更可能是本身的学习笔记吧。 使用必定程度以后再回头看,可能对本身的理解更有帮助。 另外阅读源码不是要盲目去读,而是在应用以后带着问题去读。 这样会更清晰如何去优化如何去提高。由于水平有限确定有错漏指出,欢迎指出。