First of all, we need to know what a state manager is and what it does.When we use the same properties in multiple pages, we can use the state manager to store these states in a separate external file, so that we can easily get them whenever we want to use them. React is somewhat different from Vue. React does not have its own exclusive state management method. It actually uses a js-related state manager. What we need to remember is that views can cause state changes, and state changes can cause views to be re-rendered. After talking for so long, how do we use the state manager in react? Redux shinesThe predecessor technology of redux is flux, which is very similar to flux, but not exactly the same. Both stipulate that the update logic of the model should be concentrated in one level (store in Flux, reducer in redux); however, there is no concept of dispatcher in redux, it relies on pure functions as event handlers; and redux does not go back to modify your data, it will return a new object for updating the state. First, let's take a look at some of the properties in redux 1. store: A place to store data/state, which can be thought of as a container. Remember that there can only be one store in the entire application. import { createStore } from 'redux' const store = createStore(fn) 2. state: You can think of state as an instance object of the store. It contains all the states in the state manager and is a collection of all data/states at a certain point in time. const state = store.getState() 3. Action One of the most important properties in redux. The only way to modify the state of the store is to submit an action ; action is an object with a type attribute, which is usually used as the key value of the submission. const action = { type: 'ADD_TODO', payload: 'Learc Redux' //The payload here is passed in as a parameter, you can leave it blank} 4. store.dispatch(): The only way to submit an action is to submit it to the state manager in this way. No matter what other state management tools are used later, they all come down to this. store.dispatch({ type: 'ADD_TODO' }) 5. Reducer: After receiving the action, the store must return a new state so that the view will change, and the calculation process of this state is called a reducer A reducer is a function that accepts the current state and action and returns a new state. const reducer = (state = { count: 10 //Set the initial value for the property in state. Since the state manager will be cleared after each refresh, we can get the last stored value from the local as the initial value.}, action) => { switch (action.type) { case 'REDUCE': // Here we can see that we use the action type value as the key value to search. When dispatching, we can find the operation to be executed based on the judgment of these key values. return { ...state, count: state.count - action.payload } //According to the needs of the action, we return a new state object based on the original state without modifying the original state case 'ADD': return { ...state, count: state.count + action.payload } default: return state; } } export default reducer You can see that the way we return the new state object is through the ES6... syntax. Does this method seem a bit complicated and a bit low-level? Then we introduce a new way, first introduce the immutable component This method actually implements a deep copy in JS, which makes a deep copy of the original state object. In this way, any changes to the new state object will not affect the original state. Isn’t it great! ! ! yarn add immutable -S Directions: import { Map } from 'immutable' //Introduce Map function const user = (state = Map({ //Use Map to deeply copy state isLogin: localStorage.getItem('isLogin') === 'true', token: localStorage.getItem('token') || '', adminname: localStorage.getItem('adminname') || '', role: localStorage.getItem('role') * 1 || 1 }), action) => { switch (action.type) { case 'CHANGE_LOGIN_STATE': return state.set('isLogin', action.payload) //Write case 'CHANGE_TOKEN' in set mode: return state.set('token', action.payload) case 'CHANGE_ADMIN_NAME': return state.set('adminname', action.payload) case 'CHANGE_ROLE': return state.set('role', action.payload) default: return state } } export default user state => { return { adminname: state.getIn(['user', 'adminname']), // Get the value using get method, the parameters are in this format // The meaning of the first parameter: user in the state manager // The meaning of the second parameter: the state/attribute named adminname} } 6. Design State Manager First, based on the idea of modular development, we can design multiple types of status managers in one project and finally merge them into one; for example, the status of goods, the status of user information.... import { createStore, combineReducers } from "redux"; // This combineReducers method is the key to modular development. It helps us merge all the state managers of the modules together. import pro from './modules/pro' import app from './modules/app' const reducer = combineReducers({ //Concentrate all reducers created by submodules into this reducer pro, app }) const store = createStore(reducer) export default store Helping to interpret the stageWe need to know one thing. When we want to get or modify the state at a certain point in time, the state manager store will generate a state instance object for us, and we can operate on this instance object. Changes in state will cause changes in the View, but because users cannot access the state and can only access the View, changes in state must also be caused by the View! ! ! The action is actually a notification sent by the view. When the user modifies the view, this notification will be sent to tell the program that the state needs to be changed.
How is the state manager used?// You can 'link' the state manager in the component through provider and connect. After the link is successful, you can use the states and methods in the state manager. // /src/xxx/index.jsx import {connect} from 'react-redux' function App (props) { ... } export default connect(mapStateToProps, mapDispatchToProps)(App) // /index.js import {Provider} from 'react-redux' import App from './App.jsx' import store './store/index.js' ReactDom.render ( <React.StrictMode> <Provider store = { store }> <App /> </Provider> </React.StrickMode> ) //You can also use the decorator's high-order function @connect @withRouter //In the past, the corresponding data was taken from the state tree, and then passed to the component through props using the connect() method that comes with react-redux class Home extends React.Component { //.... } export default connect(state => ({todos: state.todos}))(Home); //If you use decorators, it becomes like this, which doesn't seem that complicated @connect(state => ({ todos: state.todos })) class Home extends React.Component { //.... } Here we explain this approach: We need to link the state manager. First, we introduce the state store in the entry file index.js of the entire project, and pass the store as a parameter to the child component through the Provider method, which is somewhat similar to the way the ancestor component passes values to the descendant component. Secondly, we need to connect in the component using the state manager through the connect high-order function. The principle of this high-order function is to pass in a function as a parameter and return another function. mapStateToProps: As the name suggests, it is to process the state traversal in state and put it in props, so we can get the state in the props parameter value in the functional component. mapDispatchToProps: Store the submit method in the state manager in props so that we can modify the state in the state manager in the component. const App = (props) => { // The component can directly access the state props.adminname in the state manager through props props.count props.bannerList props.reduceFn ... } export default connect( // You can see that two functions are passed in here and two functions are returned state => { return { adminname: state.getIn(['user', 'adminname']), //This is a way to store state, we will talk about count later: state.app.count, //The parameter is state, we pass the count property in the app state manager to the count in props bannerList: state.pro.bannerList, } }, dispatch => { return { reduceFn () { //We define a reduceFn here, which contains the dispatch method. We can use the reduceFn method in props to send the information submitted by 'REDUCE' dispatch({ type: 'REDUCE', payload: 5 //payload is a parameter, it can be omitted}) } } } )(App) In addition to this basic way of modifying the state, we can also use some tools redux-thunk, redux-saga Use of redux-thunk//Introduce thunk in store.js and mount it into the state manager import { createStore, combineReducers, applyMiddleware} from 'redux' import thunk from 'redux-thunk' import app from './modules/app' import pro from './modules/pro' const reducer = combineReducers({ app, pro }) //Mount thunk to the state manager through applyMiddleware const store = createStore(reducer, applyMiddleware(thunk)) export default store Then we design a separate file to encapsulate the way to modify the state, including asynchronous methods // .../store/actionCreator/pro.js // This file is specifically used to trigger asynchronous operations // When the thunk module is executed, the actionCreator function has a default parameter of dispatch // This dispatch can be used to trigger the reducer // Sometimes when triggering asynchronous, you need to pass parameters. In this case, you can return an actionCreator function inside the function const actions = { getBannerListAction (dispatch) { fetch('http://121.89.205.189/api/banner/list') .then(res => res.json()) .then(res => { dispatch({ type: 'CHANGE_BANNER_LIST', payload: res.data }) }) }, getProListAction (count) { //With parameters, returns a function, the function parameter defaults to dispatch count = count || 1 return function (dispatch) { fetch('http://121.89.205.189/api/pro/list?count=' + count) .then(res => res.json()) .then(res => { dispatch({ type: 'CHANGE_PRO_LIST', payload: res.data }) }) } } } export default actions The above steps can be regarded as defining an action object, which contains some dispatches for submitting actions. When we want to modify the state in the component, we can directly use the function in this object, and the function will automatically initiate a request and submit the action. It can also be seen from the use of the following components that we dispatch(actions.getBannerListAction); in fact, it is the form of submitting an action, but we encapsulate the action modification and asynchronous request. import actions from './store/actionCreator/pro' const App = (props) => { // props.reduceFn() can be directly accessed from props props.addFn() props.getBannerList() props.getProList() } const mapStateToProps = (state) => { return { count: state.app.count, bannerList: state.pro.bannerList, proList: state.pro.proList } } const mapDispatchToProps = (dispatch) => { return { reduceFn () { //Modify the state in the normal way dispatch({ type: 'REDUCE', Payload: 5 }) }, addFn () { dispatch({ type: 'ADD', Payload: 5 }) }, getBannerList () { //Modify the status through thunk method dispatch(actions.getBannerListAction) }, getProList () { dispatch(actions.getProListAction(2)) } } } export default connect(mapStateToProps, mapDispatchToProps)(App) The linking method is exactly the same as the normal react-redux, and finally the state is modified by dispatching an action Use of react-sagaInstall redux-saga yarn add redux-saga immutable redux-immutable -S You can think of redux-saga and redux-thunk as a way to send dispatch. In the old days, we sent letters (dispatch) by car or on foot; using tools can be seen as sending letters by train or airplane. import { createStore, combineReducers, applyMiddleware } from 'redux' import createSagaMiddleware from 'redux-saga' import mySaga from './mySaga' //Asynchronous operation instructions import home from './modules/home' import app from './modules/app' const reducer = combineReducers({ app, home }) const sagaMiddleware = createSagaMiddleware() //Generate saga middleware const store = createStore(reducer, applyMiddleware(sagaMiddleware)) //Establish a link //Like thunk, mount the saga middleware to the state manager and you can use the saga method to modify the state sagaMiddleware.run(mySaga) //run: Send // Here is a mySage function encapsulated as a function to modify the state export default store Next, we will introduce how saga modifies the stateIn redux-saga, the state is modified using the Generator function import { call, put, takeLatest } from 'redux-saga/effects' import { getBannerList, getProList } from '../api/home' // redux-saga ---> Must be used with generator function function * getBannerListAction() { const res = yield call(getBannerList) //call--call function yield put({ type: 'CHANGE_BANNER_LIST', payload: res.data }) } function * getProListAction (action) { const res = yield call(getProList, action.payload) yield put({ type: 'CHANGE_PRO_LIST', payload: res.data }) } function * mySaga () { yield takeLatest('REQUEST_BANNER_LIST', getBannerListAction) yield takeLatest('REQUEST_PRO_LIST', getProListAction) } export default mySaga If you don’t understand the above, don’t be afraid. Look here // In the mysaga file, we define the sending method import { takeLatest } from 'redux-saga/effects' // takeLatest --- Assign tasks; below. We define the key and assign events to it. These events are the functions used by the store.dispatch() function. * getProListAction (action){ const res = yield call(getProList, action.payload) yield put({ type: 'CHANGE_PRO_LIST', payload: res.data }) } function * mySaga () { yield takeLatest('REQUEST_PRO_LIST', getProListAction) } // When we want to modify the status in the future, we don't need to use store.dispatch() to modify it. // We can use the key value defined in this file to modify it. // We define a custom function in the component's connect like this, and call the modification method dispatch here directly according to the key value => { dispatch({ type: 'REQUEST_PRO_LIST'}) } // put, call // call ---> means to call // put ---> means to push, push the current action to the next one to be executed (queue). yield put(action) yield call(fn) The above is my understanding of the commonly used state managers in React based on various documents. If there are any mistakes, I hope you can point them out so that we can make progress together. In addition to the above state managers, there are some other tools on the market, such as MobX, Umi, and Dva. If I have time, I will sort them out and share them with you. This is the end of this article about the interpretation of various state managers in React. For more relevant React state manager content, please search for previous articles on 123WORDPRESS.COM or continue to browse the following related articles. I hope everyone will support 123WORDPRESS.COM in the future! You may also be interested in:
|
<<: CSS sample code to achieve circular gradient progress bar effect
Drag and drop is a common function in the front e...
Overview It is usually not what we want to presen...
Table of contents Demo1 create_fragment SvelteCom...
Recently, when I was using Linux to log in locall...
1. Installation package preparation VMware-player...
In this blog, we will discuss ten performance set...
In HTML and CSS, we want to set the color of a bu...
1. Install MySQL software Download and install My...
1. Docker network management 1. Docker container ...
Table of contents 1. What is the life cycle 2. Th...
Table of contents Global Registration Partial Reg...
Open Source Database Architecture Design Principl...
1. First, create the corresponding folder accordi...
This article example shares the specific code of ...
Table of contents Require Implementation Code dat...