Redux

Redux is a predictable state container for JavaScript apps. Need to understand the basic three principle . Here, you don't need to use Babel or a module bundler to get started with Redux. (It integrates with reducer and action.)

When do you need to integrate redux with app🤔 :

  • You have reasonable amounts of data changing over time
  • You need a single source of truth for state
  • You find that keeping all the state in a top-level component is no longer sufficient

Installation 🖥

$ npm install redux --save

There will be some more packages which you need to install for the React bindings and the developer tools.

$ npm install --save react-redux
$ npm install --save-dev redux-devtools

Actions ⏣

Actions are payloads of information that send data from our application to our store. They are the only source of information for the store. You send them to the store using `store.dispatch()`

(It’s an object that tells the reducer how to change data. It has only one requirement, it must be have type: property)

export const FETCH_PRODUCTS_LIST_SUCCESS = 'FETCH_PRODUCTS_LIST_SUCCESS';
export const fetchProductSuccess = products => ({
type: FETCH_PRODUCTS_LIST_SUCCESS,
payload: products
})

Reducer ⏣

Reducer specify how the application’s state changes in response to actions sent to the store. Remember that actions only describe what happened, but don’t describe how the application’s state changes.(It’s a function which returns some data.)

I will be importing FETCH_PRODUCTS_LIST_SUCCESS from actions.

import {
FETCH_PRODUCTS_LIST_SUCCESS
} from '../actions/productAction'
const initialState = {
loading: false,
isCartEmpty: true,
products: []
}

You will be handling actions here:

export default function productReducer (state = initialState, action) {
switch(action.type) {
case FETCH_PRODUCTS_LIST_SUCCESS:
return {
...state,
loading: false,
isCartEmpty: true,
products: productList
}
default:
return state
}
}

Store ⏣

It holds reducer and state.

Redux data flow

Data flow:

Action => (reducer -> state )

Check an example of data flow here: asdf => ‘split’ -> [‘a’, ’s’, ‘d’, ‘f’]

Here, an online tool for redux function: JSPlaygrounds

State ⏣

When you need to update what a component shows, call ‘this.setState’ Only change state with ‘setState’, do not change ’this.state=123’ A plain JS object used to record and respond to user triggered events.