07-React-redux和redux的使用

07.react-redux和redux的使用


1.redux的使用

1).redux的理解

a.redux是什么
  1. redux是一个专门用于做状态管理的JS库(不是react插件库)。
  2. 它可以用在react, angular, vue等项目中, 但基本与react配合使用。
  3. 作用: 集中式管理react应用中多个组件共享的状态。
b.什么情况下需要使用redux
  1. 某个组件的状态,需要让其他组件可以随时拿到(共享)。
  2. 一个组件需要改变另一个组件的状态(通信)。
  3. 总体原则:能不用就不用, 如果不用比较吃力才考虑使用。
c.redux工作流程

2).redux的三个核心概念

a.action
  1. 动作的对象

  2. 包含2个属性

    • type:标识属性, 值为字符串, 唯一, 必要属性

    • data:数据属性, 值类型任意, 可选属性

例子:
{ type: 'ADD_STUDENT',data:{name: 'tom',age:18} }
b.reducer
  1. 用于初始化状态、加工状态。
  2. 加工时,根据旧的stateaction, 产生新的state的纯函数。
c.store
  1. 将state、action、reducer联系在一起的对象

  2. 如何得到此对象?

    1. import {createStore} from 'redux'
      
    2. import reducer from './reducers'
      
    3. const store = createStore(reducer)
      
  3. 此对象的功能?

    1. getState(): 得到state
    2. dispatch(action): 分发action, 触发reducer调用, 产生新的state
    3. subscribe(listener): 注册监听, 当产生了新的state时, 自动调用

3).redux的使用

需求:

实现:

a.纯react实现:
// Count.jsx
export default class Count extends Component {
    state = {
        count: 0
    }
    // 加法
    increment = () => {
        const { value } = this.seleteNumber;
        const { count } = this.state;
        this.setState({ count: count + (+value) })
    }
    // 减法
    decrement = () => {
        const { value } = this.seleteNumber;
        const { count } = this.state;
        this.setState({ count: count - (+value) })
    }
    // 当前求和为奇数再加
    incrementIfOdd = () => {
        const { value } = this.seleteNumber;
        const { count } = this.state;
        if (count%2!=0) {
            this.setState({ count: count + (+value) })   
        }
    }
    // 异步加
    incrementAsync = () => {
        const { value } = this.seleteNumber;
        const { count } = this.state;
        setInterval(()=>{
            this.setState({ count: count + (+value) })   
        },500)
    }
    render() {
        const { count } = this.state;
        return (
            <div>
                <h1>当前求和为:{count}</h1>
                <select ref={c => this.seleteNumber = c}>
                    <option value="1">1</option>
                    <option value="2">2</option>
                    <option value="3">3</option>
                </select>&nbsp;
                <button onClick={this.increment}>+</button>&nbsp;
                <button onClick={this.decrement}>-</button>&nbsp;
                <button onClick={this.incrementIfOdd}>当前求和为奇数再加</button>&nbsp;
                <button onClick={this.incrementAsync}>异步加</button>
            </div>
        )
    }
}
b.redux实现:
  1. 去除Count组件自身的状态

    // Count.jsx
    export default class Count extends Component {
        // 加法
        increment = () => {
            const { value } = this.seleteNumber;
        }
        // 减法
        decrement = () => {
            const { value } = this.seleteNumber;
        }
        // 当前求和为奇数再加
        incrementIfOdd = () => {
            const { value } = this.seleteNumber;
        }
        // 异步加
        incrementAsync = () => {
            const { value } = this.seleteNumber;
        }
        render() {
            return (
                <div>
                    <h1>当前求和为:???</h1>
                    <select ref={c => this.seleteNumber = c}>
                        <option value="1">1</option>
                        <option value="2">2</option>
                        <option value="3">3</option>
                    </select>&nbsp;
                    <button onClick={this.increment}>+</button>&nbsp;
                    <button onClick={this.decrement}>-</button>&nbsp;
                    <button onClick={this.incrementIfOdd}>当前求和为奇数再加</button>&nbsp;
                    <button onClick={this.incrementAsync}>异步加</button>
                </div>
            )
        }
    }
    
  2. 根据redux的原理图,现在src文件夹下新建一个redux文件夹,然后在这个文件夹中新建store.jscount_reducer.js

  3. store.js引入redux中的legacy_createStore函数,创建一个store,并将其暴露 (旧版中的createStore被弃用了,这里使用新版的legacy_createStore

    //该文件专门用于暴露一个store对象,整个应用只有一个store对象
    // 引入legacy_createStore,专门用于创建redux中最为核心的store对象
    import { legacy_createStore } from "redux";
    
    // 暴露store
    export default legacy_createStore(countReducer)
    

    store对象

    1. 作用: redux库最核心的管理对象
    2. 它内部维护着:
      1. state
      2. reducer
  4. legacy_createStore调用时要传入一个为其服务的reducercount_reducer.js用于创建一个为Count组件服务的reducerreducer的本质就是一个函数

    // count_reducer.js
    const initState=0
    // reducer函数会接到两个参数,分别为:之前的状态(preState),动作对象(action)
    export default function countReducer(preState=initState,action) {
        console.log(preState,action);
        // 从action对象中获取:type、data
        const {type,data}=action
        switch (type) {
            case 'increment':
                return preState+data;
            case 'decrement':
                return preState-data;
            default:
                return preState;
        }
    }
    

    注意点:

    1. reducer的本质是一个函数,接收:preStateaction,返回加工后的状态
    2. reducer有两个作用:初始化状态,加工状态
    3. reducer被第一次调用时,是store自动触发的,传递的preStateundefined
    // store.js
    // 引入为Count组件服务的reducer
    import countReducer from './count_reducer'
    
  5. Count组件中分发给store对应的action对象

    // 引入store,用于获取redux中保存状态
    import store from '../../redux/store';
    export default class Count extends Component {
        // 加法
        increment = () => {
            const { value } = this.seleteNumber;
            store.dispatch({ type: 'increment', data: (+value) })
        }
        // 减法
        decrement = () => {
            const { value } = this.seleteNumber;
            store.dispatch({ type: 'decrement', data: (+value) })
        }
        // 当前求和为奇数再加
        incrementIfOdd = () => {
            const { value } = this.seleteNumber;
            const count = store.getState();
            if (count % 2 !== 0) {
                store.dispatch({ type: 'increment', data: (+value) })
            }
        }
        // 异步加
        incrementAsync = () => {
            const { value } = this.seleteNumber;
            setInterval(() => {
                store.dispatch({ type: 'increment', data: (+value) })
            }, 500)
        }
        render() {
            return (
                <div>
                    <h1>当前求和为:{store.getState()}</h1>
                    <select ref={c => this.seleteNumber = c}>
                        <option value="1">1</option>
                        <option value="2">2</option>
                        <option value="3">3</option>
                    </select>&nbsp;
                    <button onClick={this.increment}>+</button>&nbsp;
                    <button onClick={this.decrement}>-</button>&nbsp;
                    <button onClick={this.incrementIfOdd}>当前求和为奇数再加</button>&nbsp;
                    <button onClick={this.incrementAsync}>异步加</button>
                </div>
            )
        }
    }
    

    注意点:

    1. store.dispatch()是用来分发action对象给redux,需要传入一个对象,里面type属性指定状态,data属性存储需要变化的数值
    2. store.getState()用来读取reduxreducer存储的数据
  6. index.js中检测store中状态的改变,一旦发生改变重新渲染

    redux只负责管理状态,至于状态的改变驱动着页面的展示,要靠我们自己写。

    createRoot(document.getElementById('root')).render(<App />)
    store.subscribe(() => {
        createRoot(document.getElementById('root')).render(<App />)
    })
    
  7. 新建一个count_action.js文件,count_action.js专门用于创建action对象

    按照上面的写法不符合redux完整的工作流程,没有经过创建action对象这个过程

    //count_action.js 
    // 表达式返回一个对象用小括号包着
    export const createIncrementAction = data => ({ type: 'increment', data })
    export const createDecrementAction = data => ({ type: 'decrement', data })
    

    为了便于管理,符合集体开发环境,可以将action对象中type类型的常量值进行定义,便于管理的同时防止程序员单词写错,创建constant.js

    // constant.js
    export const INCREMENT='increment'
    export const DECREMENT='decrement'
    
    //count_action.js 
    // 引入变量名常量
    import { INCREMENT, DECREMENT } from './constant'
    export const createIncrementAction = data => ({ type: INCREMENT, data })
    export const createDecrementAction = data => ({ type: DECREMENT, data })
    
    import { INCREMENT, DECREMENT } from './constant'
    const initState = 0
    export default function countReducer(preState = initState, action) {
        const { type, data } = action
        switch (type) {
            case INCREMENT:
                return preState + data;
            case DECREMENT:
                return preState - data;
            default:
                return preState;
        }
    }
    
  8. 实现异步action——修改“异步加”功能

    1.明确:延迟的动作不想交给组件自身,想交给action
    2.何时需要异步action:想要对状态进行操作,但是具体的数据靠异步任务返回。

    //count_action.js 
    // 引入变量名常量
    import { INCREMENT, DECREMENT } from './constant'
    // 同步action,就是指action的值为Object类型的一般对象
    export const createIncrementAction = data => ({ type: INCREMENT, data })
    export const createDecrementAction = data => ({ type: DECREMENT, data })
    // 异步action,就是指action的值为函数,异步action中一般都会调用同步action,异步action不是必须要用的。
    export const createIncrementAsyncAction = (data,time) => { 
        return (dispatch) => { 
            setTimeout(() => {
                dispatch(createIncrementAction(data))
            },time)
        } 
    }
    

    redux异步编程理解:

    1. redux默认是不能进行异步处理的,
    2. 某些时候应用中需要在redux中执行异步任务(ajax, 定时器)
  9. redux不能直接处理异步action,需要下载redux-thunk插件进行处理,在storelegacy_createStore中传入作为第二个参数的函数applyMiddleware

    npm i redux-thunk
    
    // store.js
    import { applyMiddleware, legacy_createStore } from "redux";
    // 引入为Count组件服务的reducer
    import countReducer from './count_reducer'
    // 引入redux-thunk,用于支持异步action
    import thunk from 'redux-thunk'
    // 暴露store
    export default legacy_createStore(countReducer,applyMiddleware(thunk))
    

    处理异步action步骤:

    1. 安装redux-thunkthunk配置在store
    2. 创建action的函数不再返回一般对象,而是一个函数,该函数中写异步任务。
    3. 异步任务有结果后,分发一个同步的action去真正操作数据。
    4. 备注:异步action不是必须要写的,完全可以自己等待异步任务的结果了再去分发同步action

    注意点:

    applyMiddleware() 作用:应用上基于redux的中间件(插件库)


2.react-redux的使用

1).react-redux理解

  1. 一个react插件库
  2. 专门用来简化react应用中使用redux

2).react-redux的工作流程

a.react-redux的原理图

b.react-redux将所有组件分成两大类
  1. UI组件
    1. 只负责 UI 的呈现,不带有任何业务逻辑
    2. 通过props接收数据(一般数据和函数)
    3. 不使用任何 Redux 的 API
    4. 一般保存在components文件夹下
  2. 容器组件
    1. 负责管理数据和业务逻辑,不负责UI的呈现
    2. 使用 Redux 的 API
    3. 一般保存在containers文件夹下

3).react-redux的使用

a.需求一
  1. 分别创建componentcontainers文件夹,并都文件夹中创建一个Count文件夹,分别用来编写UI组件和容器组件

    明确两个概念:

    1. UI组件:不能使用任何redux的api,只负责页面的呈现、交互等。
    2. 容器组件:负责和redux通信,将结果交给UI组件。

  2. 编写UI组件

    export default class Count extends Component {
        // 加法
        increment = () => {
            const { value } = this.seleteNumber;
        }
        // 减法
        decrement = () => {
            const { value } = this.seleteNumber;
        }
        // 当前求和为奇数再加
        incrementIfOdd = () => {
            const { value } = this.seleteNumber;
        }
        // 异步加
        incrementAsync = () => {
            const { value } = this.seleteNumber;
        }
        render() {
            return (
                <div>
                    <h1>当前求和为:???</h1>
                    <select ref={c => this.seleteNumber = c}>
                        <option value="1">1</option>
                        <option value="2">2</option>
                        <option value="3">3</option>
                    </select>&nbsp;
                    <button onClick={this.increment}>+</button>&nbsp;
                    <button onClick={this.decrement}>-</button>&nbsp;
                    <button onClick={this.incrementIfOdd}>当前求和为奇数再加</button>&nbsp;
                    <button onClick={this.incrementAsync}>异步加</button>
                </div>
            )
        }
    }
    
  3. 创建容器组件且关联UI组件

    1. 容器组件不用手动编写,通过react-redux编写

    2. 首先引入容器组件的“左右手”——UI组件和redux

      // 引入CountUI组件
      import CountUI from '../../component/Count'
      // 引入redux中的store
      import store from '../../redux/store'
      
    3. 其次需要连接“左右手”——UI组件和redux,可以使用react-redux中的connect方法进行连接

      // 引入connect用于连接UI组件与redux
      import { connect } from 'react-redux'
      const CountContainer=connect()()
      

      connect函数的返回值仍然是一个函数,而CountContainer变量可以接收到一个容器组件,为了让CountContainer容器组件与CountUI组件建立联系,需要将CountUI传入到connect()()的第二个括号中

      const CountContainer=connect()(CountUI)
      
    4. 然后将容器组件进行暴露,并在App组件中进行引用

      export default connect()(CountUI)
      
      //App.js
      import Count from './containers/Count'
      export default class App extends Component {
        render() {
          return (
            <div>
              <Count/>
            </div>
          )
        }
      }
      
    5. 最后需要连接“左右手”中的redux,也就是store

      容器组件中的store需要通过props进行传递,不能在容器组件中手动引入

      //App.js
      import Count from './containers/Count'
      import store from './redux/store'
      export default class App extends Component {
        render() {
          return (
            <div>
              {/* 给容器组件传递store */}
              <Count store={store}/>
            </div>
          )
        }
      }
      
  4. 容器组件向UI组件传递状态与操作状态的方法

    1. 容器组件与UI组件是父子组件,但是状态与操作状态的方法不能像其他父子组件一样通过给子组件添加属性的方式传递

    2. connect函数在第一次调用时,也就是connect()时需要传递两个值,并且两个值都要为function

      function a() {}
      function b() {}
      export default connect(a,b)(CountUI)
      
    3. a函数返回的对象中的key就作为传递给UI组件propskeyvalue就作为传递给UI组件propsvalue——状态

      function a() {
          return { count: 900 }
      }
      
    4. b函数返回的对象中的key就作为传递给UI组件propskeyvalue就作为传递给UI组件propsvalue——操作状态的方法

      function b() {
          return {jia:(data) => { console.log(1); }}
      }
      
    5. 容器组件在connect函数第一次执行后传递了a、b两个函数的返回值,即是状态和操作状态的方法

      export default class Count extends Component {
          render() {
              console.log('UI组件接收到到props',this.props);
              return (
                  <div>
                      <h1>当前求和为:???</h1>
                      <select ref={c => this.seleteNumber = c}>
                          <option value="1">1</option>
                          <option value="2">2</option>
                          <option value="3">3</option>
                      </select>&nbsp;
                      <button onClick={this.increment}>+</button>&nbsp;
                      <button onClick={this.decrement}>-</button>&nbsp;
                      <button onClick={this.incrementIfOdd}>当前求和为奇数再加</button>&nbsp;
                      <button onClick={this.incrementAsync}>异步加</button>
                  </div>
              )
          }
      }
      

    6. 容器组件可以向UI组件传递数值后,就需要向redux也就是store传递stateaction

      1. 首先需要在a函数中拿到store中的state,也就是状态的数值,因为a函数是用来传递状态的,所以react-redux设计a函数会自动传入state,可以直接使用state取值

        function mapStateToProps(state) {
            return { count: state }
        }
        
      2. 然后在b函数中通知redux执行加法,因为b函数是用来传递操作状态方法的,所以react-redux设计b函数会自动传入store,可以直接使用dispatch分发action对象

        function mapDispatchToProps(dispatch) {
            // 通知redux执行加法
            return {
                jia: number =>dispatch({type:'increment',data:number})
            }
        }
        
      3. 通过引入已经编写好的action,避免在b函数中手动创造传递action对象

        // 引入action
        import { createIncrementAction, createDecrementAction,createIncrementAsyncAction } from '../../redux/count_action'
        function b(dispatch) {
            // 通知redux执行加法
            return {
                jia: number => dispatch(createIncrementAction(number)),
                jian: number => dispatch(createDecrementAction(number)),
                jianAsync:(number,time) => dispatch(createIncrementAsyncAction(number,time))
            }
        }
        
    7. 整理容器组件代码

      // 引入CountUI组件
      import CountUI from '../../component/Count'
      // 引入action
      import { createIncrementAction, createDecrementAction,createIncrementAsyncAction } from '../../redux/count_action'
      // 引入connect用于连接UI组件与redux
      import { connect } from 'react-redux'
      function mapStateToProps(state) {
          return { count: state }
      }
      function mapDispatchToProps(dispatch) {
          // 通知redux执行加法
          return {
              jia: number =>dispatch(createIncrementAction(number)),
              jian: number => dispatch(createDecrementAction(number)),
              jianAsync:(number,time) => dispatch(createIncrementAsyncAction(number,time))
          }
      }
      // 使用connect()()创建并暴露一个Count的容器组件
      export default connect(mapStateToProps, mapDispatchToProps)(CountUI)
      

      注意点:

      1. mapStateToProps函数返回的是一个对象;
      2. 返回的对象中的key就作为传递给UI组件props的key,value就作为传递给UI组件props的value
      3. mapStateToProps.用于传递状态
      1. mapDispatchToProps函数返回的是一个对象;
      2. 返回的对象中的key就作为传递给UI组件props的key,value.就作为传递给UI组件props的value
      3. mapDispatchToProps.用于传递操作状态的方法
    8. 在UI组件读取状态的数值和调用操作状态的方法

      export default class Count extends Component {
          state = {
              count: 0
          }
          // 加法
          increment = () => {
              const { value } = this.seleteNumber;
              this.props.jia(+value)
          }
          // 减法
          decrement = () => {
              const { value } = this.seleteNumber;
              this.props.jian(+value)
          }
          // 当前求和为奇数再加
          incrementIfOdd = () => {
              const { value } = this.seleteNumber;
              if (this.props.count!==2) {
                  this.props.jia(+value)
              }
          }
          // 异步加
          incrementAsync = () => {
              const { value } = this.seleteNumber;
              this.props.jianAsync(+value,500)
          }
          render() {
              console.log('UI组件接收到到props',this.props);
              return (
                  <div>
                      <h1>当前求和为:{this.props.count}</h1>
                      <select ref={c => this.seleteNumber = c}>
                          <option value="1">1</option>
                          <option value="2">2</option>
                          <option value="3">3</option>
                      </select>&nbsp;
                      <button onClick={this.increment}>+</button>&nbsp;
                      <button onClick={this.decrement}>-</button>&nbsp;
                      <button onClick={this.incrementIfOdd}>当前求和为奇数再加</button>&nbsp;
                      <button onClick={this.incrementAsync}>异步加</button>
                  </div>
              )
          }
      }
      
  5. 简写容器组件

    1. mapStateToProps函数和mapDispatchToProps函数简写到connect函数中

      export default connect(
          state => ({ count: state }),
          dispatch => ({
              jia: number => dispatch(createIncrementAction(number)),
              jian: number => dispatch(createDecrementAction(number)),
              jianAsync: (number, time) => dispatch(createIncrementAsyncAction(number, time))
          })
      )(CountUI)
      
    2. react-redux底层判断中只要传递的mapDispatchToProps是一个对象,那么就会自动dispatch

    3. 给UI组件传递操作状态的方法就是传递其对应的atcion, 只需要调用操作状态的方法的时候准备好action对象,react-redux就会自动分发dispatch

    export default connect(
        state => ({ count: state }),
        {
            jia: createIncrementAction,
            jian: createDecrementAction,
            jianAsync: createIncrementAsyncAction
        }
    )(CountUI)
    
  6. 将容器组件和UI组件整合到一个文件

    import React, { Component } from 'react'
    // 引入action
    import { createIncrementAction, createDecrementAction, createIncrementAsyncAction } from '../../redux/count_action'
    // 引入connect用于连接UI组件与redux
    import { connect } from 'react-redux'
    class Count extends Component {
        // 加法
        increment = () => {
            const { value } = this.seleteNumber;
            this.props.jia(+value)
        }
        // 减法
        decrement = () => {
            const { value } = this.seleteNumber;
            this.props.jian(+value)
        }
        // 当前求和为奇数再加
        incrementIfOdd = () => {
            const { value } = this.seleteNumber;
            if (this.props.count % 2 !== 0) {
                this.props.jia(+value)
            }
        }
        // 异步加
        incrementAsync = () => {
            const { value } = this.seleteNumber;
            this.props.jianAsync(+value, 500)
        }
        render() {
            return (
                <div>
                    <h1>当前求和为:{this.props.count}</h1>
                    <select ref={c => this.seleteNumber = c}>
                        <option value="1">1</option>
                        <option value="2">2</option>
                        <option value="3">3</option>
                    </select>&nbsp;
                    <button onClick={this.increment}>+</button>&nbsp;
                    <button onClick={this.decrement}>-</button>&nbsp;
                    <button onClick={this.incrementIfOdd}>当前求和为奇数再加</button>&nbsp;
                    <button onClick={this.incrementAsync}>异步加</button>
                </div>
            )
        }
    }
    export default connect(
        state => ({ count: state }),
        {
            jia: createIncrementAction,
            jian: createDecrementAction,
            jianAsync: createIncrementAsyncAction
        }
    )(Count)
    
  7. 使用Provider组件优化index.js

    import {Provider} from 'react-redux'
    // Provider组件会给整个应用需要用到store的容器组件传递store
    createRoot(document.getElementById('root')).render(<Provider store={store}><App /></Provider>)
    
    1. 无需自己给容器组件传递store,给<App/>包裹一个<Provider store:={store}>即可。
    2. 使用了react-redux后也不用再自己检测redux中状态的改变了,容器组件可以自动完成这个工作。
b.需求二

  1. containers文件夹分别创建名为CountPerson的文件夹存放两个组件的文件(容器组件+UI组件),在redux文件夹中创建actionreducer文件夹分别创建CountPerson组件相关的actionreducer文件

  2. 完成person组件的action文件

    // redux/action/person.js
    import { ADD_PERSON } from '../constant'
    // 创建增加一个人的action动作对象
    export const createAddPersonAction = personObj => ({ type: ADD_PERSON, data: personObj })
    
  3. 完成person组件的reducer文件

    // redux/reducer/person.js
    import { ADD_PERSON } from '../constant'
    const initState = [{ id: '001', name: 'tome', age: 18 }]
    export default function personReducer(preState = initState, action) {
        console.log('personReducer执行了');
        const { type, data } = action
        switch (type) {
            case ADD_PERSON:
                return [data, ...preState];
            default:
                return preState;
        }
    }
    

    关于这里使用[data, …preState]而不使用pushunshift等JS数组的方法的原因:personReducer必须要为一个纯函数

  4. store文件中引入为Person组件服务的reducer

    import { applyMiddleware, legacy_createStore ,combineReducers} from "redux";
    // 引入为Count组件服务的reducer
    import countReducer from './reducer/count'
    // 引入为Person组件服务的reducer
    import personReducer from './reducer/person'
    // 引入redux-thunk,用于支持异步action
    import thunk from 'redux-thunk'
    // 暴露store
    export default legacy_createStore(countReducer,applyMiddleware(thunk))
    

    因为legacy_createStore函数只能传入两个参数,而第二个参数已经固定为applyMiddleware(thunk),所以需要将为两个组件服务的reducer集合在一个总reducer,然后传给legacy_createStore函数

    // 引入applyMiddleware
    import { applyMiddleware, legacy_createStore ,combineReducers} from "redux";
    // 引入为Count组件服务的reducer
    import countReducer from './reducer/count'
    // 引入为Person组件服务的reducer
    import personReducer from './reducer/person'
    // 引入redux-thunk,用于支持异步action
    import thunk from 'redux-thunk'
    //  传入combineReducers中的对象是redux保存的总状态对象                              
    const allReducer=combineReducers({
        he:countReducer,
        rens:personReducer
    })
    // 暴露store
    export default legacy_createStore(allReducer,applyMiddleware(thunk))
    
  5. 完成person组件的整合组件文件

    //	containers/Person/index.js
    import React, { Component } from 'react'
    import { nanoid } from 'nanoid'
    import { connect } from 'react-redux'
    import { createAddPersonAction } from '../../redux/action/person'
    class Person extends Component {
      addPerson = () => {
        const name = this.nameNode.value
        const age = +this.ageNode.value
        //  console.log(name,age);
        const personObj = { id: nanoid(), name, age }
        console.log(personObj);
        this.props.jiaren(personObj)
        this.nameNode.value = ''
        this.ageNode.value = ''
      }
      render() {
        return (
          <div>
            <h1>我是Person组件</h1>
            <h2>上方的组件求和为{this.props.he}</h2>
            <input ref={c => this.nameNode = c} type="text" placeholder='请输入名字' />
            <input ref={c => this.ageNode = c} type="text" placeholder='请输入年龄' />
            <button onClick={this.addPerson}>添加</button>
            <ul>
              {
                this.props.ren.map((ren) => {
                  return (<li key={ren.id}>名字{ren.name}——年龄{ren.age}</li>)
                })
              }
            </ul>
          </div>
        )
      }
    }
    export default connect(
      state => ({ ren: state.rens,he:state.he }),
      {
        jiaren: createAddPersonAction
      }
    )(Person)
    
  6. 将所有组件的reducer集中在一个文件中引入并暴露

    1. redux文件夹下的reducer文件夹中创建一个index.js文件,专门用于汇总所有的reducer为一个总的reducer

      // 引入combineReducers,用于汇总多个reducer
      import { combineReducers } from 'redux'
      // 引入为Count组件服务的reducer
      import count from './count'
      // 引入为Count组件服务的reducer
      import persons from './person'
      //  传入combineReducers中的对象是redux保存的总状态对象                              
      export default combineReducers({
          count,
          persons
      })
      
    2. redux文件夹下的store.js文件里引入总reducer

      // 引入汇总之后的reducer
      import reducer from "./reducer"
      

3.redux开发者工具

1).使用准备:

  1. 安装浏览器插件

  2. 下载工具依赖包

    npm install --save-dev redux-devtools-extension
    
  3. store中进行配置

    import {composewithDevTools}from 'redux-devtools-extension'
    const store createStore(allReducer,composewithDevTools(applyMiddleware(thunk)))
    

2).使用效果:

  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值