Quantcast
Channel: GaneshMani
Viewing all articles
Browse latest Browse all 38

Modern React Redux Tutorials with Redux toolkit - 2020

$
0
0

This tutorial explain how you can build an application using modern react redux with redux toolkit. Modern React Redux Tutorials with Redux toolkit - 2020.

Things are changing in front end application development. What we have been using to develop a frontend application is constantly changing to build things faster and efficient. One of them is redux, there are lots of state management options out there to react. but, we have to admit that redux is popular among them.

So, what changed in redux?.. well we are about to find out in this article. Buckle up to learn in this react with redux tutorial.

Note: I assume that you are familiar with redux concepts. If you are new to Redux, I recommend you to checkout this course.

Before we get into the article, let me show you what we are going to build in this article.

Demo

Checkout the demo here

This is a simple Forum where you can post a question and comment on it.

What Changed in Redux?

Well, the core concepts of redux remain the same. But, the way we implement things is changed in the react-redux environment. With a package called redux-toolkit, we can implement redux in our react application in an easy way.

Setting up redux boilerplate is cumbersome in previous days. redux-toolkit solves that problem for us. Let's see how to use redux-toolkit to build an application.

Core Concepts of Redux toolkit

there are few important changes in the redux toolkit, let's see them

configureStore

we all know that redux store(createStore) handles the actions and reducer in redux. well, configure store is an wrapper around createStore with some default configuration options. it simplifies some configuration pains.

createAction

createAction returns an action creator function. one important change to note here is that we return an action creator function not an object. in old traditional way, it returns an object with type and payload.here, we return a function .

// Original approach: write the action type and action creator by handconstINCREMENT="INCREMENT"functionincrementOriginal(){return{type:INCREMENT}}console.log(incrementOriginal())// {type: "INCREMENT"}// Or, use `createAction` to generate the action creator:constincrementNew=createAction("INCREMENT")console.log(incrementNew())// {type: "INCREMENT"}

createReducer

Let me show two versions of code, see and think which one is more easier to manage.

//redux actionconstincrement=payload=>{return{type:"INCREMENT",payload,}}//redux reducer functionexportdefaultreducer=(state,action)=>{switch(action.type){case"INCREMENT":return{...state,payload,}default:returnstate}}

Let's look at an another version of code

constincrement=createAction("INCREMENT")constdecrement=createAction("DECREMENT")constcounter=createReducer(0,{[increment]:state=>state+1,[decrement]:state=>state-1,})

you can see the difference. right?. well that's makes a lot difference when your application grows. it will easy to maintain in the later version.

createReducer takes initialState and action creator function and use a concepts lookup table which takes the object key and compares it with action creator and match with the reducer. In that way, you don't need to manually write a if..else or switch case state to manage it.

createSlice

If you think, it's cutting down from writing lots of code. well, there is more. createSlice provides an option to generate action creator and action types for. you only need to specify the reducer function, initial state, and name for the slice and createSlice take care of everything for you.

constcounterSlice=createSlice({name:"counter",initialState:0,reducers:{increment:state=>state+1,decrement:state=>state-1,},})conststore=configureStore({reducer:counterSlice.reducer,})document.getElementById("increment").addEventListener("click",()=>{store.dispatch(counterSlice.actions.increment())})

Getting Started

Let's start with create-react-app with redux toolkit template included on it.

    npx create-react-app my-app --template redux

Above command creates a boilerplate for us with recommended folder structure(feature folder) and a simple example code.

Alt Text

Every domain is considered as a feature here. it's better to wrap the functionalities of a particular domain in one feature folder. checkout this article to learn more about it.

Learning bit: https://github.com/erikras/ducks-modular-redux

In our application, there are three domains that we need to cover. they are,

Alt Text

So, create folder structure based on the above domains.

Alt Text

Now, it is time to create redux part of our features.

Questions Feature

Let's take the Questions part. it will contains functionalities such as

  • Add Question
  • Edit Question
  • Remove Question

we need to use createSlice to create reducer and action creator function. before that, import create slice from toolkit.

import{createSlice}from"@reduxjs/toolkit";createaslicefunctionwithname,initialStateandreducerfunction.exportconstquestionSlice=createSlice({name:"questions",initialState:[],reducers:{addQuestion:(state,action)=>{//Add Question reducer function},editQuestion:(state,action)=>{//Edit Question Reducer function},removeQuestion:(state,action)=>{//Remove Question Reducer function},},});

Once we create that, we can be able to get all the actions from the slice itself. Here, we have reducer functions addQuestion,editQuestion and removeQuestion. so, createSlice will generate three action creator function with exact name on it*.*

exportconst{addQuestion,editQuestion,removeQuestion,}=questionSlice.actions

After that, you can write the selector and export the reducer from here.

exportconstselectQuestions=state=>state.questionsexportdefaultquestionSlice.reducer

Once you're done with your slice function. map the reducer with redux store.

import{configureStore}from"@reduxjs/toolkit"importquestionReducerfrom"../features/Questions/questionSlice"exportdefaultconfigureStore({reducer:{questions:questionReducer,},})

Now, we can use the action and selector in our component. create a component Questions.js with basic setup

iimportReact,{useState}from"react";import{useDispatch,useSelector}from"react-redux";importstyledfrom"styled-components";import{selectQuestions,addQuestion,removeQuestion,editQuestion,}from"./questionSlice";constQuestions=()=>{const[showAddQuestion,setShowAddQuestion]=useState(false);constquestions=useSelector(selectQuestions);constdispatch=useDispatch();constonSubmit=()=>{};return(<Container><QuestionsContainer>//Questions Array comes Here{questions&&questions.length>0?(questions.map((question,index)=>{return(<div>{question}</div>
);})):(<div>NoDataFound</div>
)}</QuestionsContainer>
<AddQuestionButtonContaineronClick={()=>setShowAddQuestion(true)}><AddQuestionIconsrc={plus_icon}/>
<AddQuestionName>AddQuestion</AddQuestionName>
</AddQuestionButtonContainer>
//When User clicks the add Question, we need to show the Form{showAddQuestion?(<FormContainer><FormContainerDiv><FormLabel>Title</FormLabel>
<FormContainerTitleInputtype="text"value={title}onChange={(e)=>setTitle(e.target.value)}/>
</FormContainerDiv>
<FormContainerDiv><FormLabel>Body</FormLabel>
<FormContainerBodyInputtype="textarea"value={body}onChange={(e)=>setBody(e.target.value)}/>
</FormContainerDiv>
<AddQuestionButtononClick={onSubmit}>Submit</AddQuestionButton>
</FormContainer>
):("")}</Container>
);};exportdefaultQuestions;

On the above code, we are using redux hooks useDispatch and useSelector for redux actions and selector.

Firstly, we import the actions and selectors from the slice file.

import{selectQuestions,addQuestion,removeQuestion,editQuestion,}from"./questionSlice"

After that, we use the selectQuestions in useSelector to get all the data from store.

constquestions=useSelector(selectQuestions)

Then, we render the data in our component

{questions&&questions.length>0?(questions.map((question,index)=>{return(<QuestionListItemkey={index}><Linkto={`/question/${question.id}`}><QuestionTitle>{question.title}</QuestionTitle>
</Link>
</QuestionListItem>
)})):(<div>NoDataFound</div>
)}

finally, we have a form which user uses submits the question.

<FormContainer><FormContainerDiv><FormLabel>Title</FormLabel>
<FormContainerTitleInputtype="text"value={title}onChange={e=>setTitle(e.target.value)}/>
</FormContainerDiv>
<FormContainerDiv><FormLabel>Body</FormLabel>
<FormContainerBodyInputtype="textarea"value={body}onChange={e=>setBody(e.target.value)}/>
</FormContainerDiv>
<AddQuestionButtononClick={onSubmit}>Submit</AddQuestionButton>
</FormContainer>

when user clicks the onSubmit, we need to dispatch action prior to it.

constonSubmit=()=>{letdata={id:questions.length+1,title:title,body,}dispatch(addQuestion(data))}

Well, that's pretty much of a getting the data and dispatching an action in redux lifecycle.

QuestionDetails Feature

importReact,{useState}from"react"importstyledfrom"styled-components"import{useSelector}from"react-redux"import{useParams,useHistory}from"react-router-dom"importCommentsfrom"../Comments/Comments"constContainer=styled.div`
  width: 100vw;
  height: 100vh;
  background-color: #efecec;
`constQuestionsContainer=styled.div`
  display: flex;
  flex-flow: column;
  padding: 3.75rem 5rem;
  width: 20%;
  box-shadow: 0 0.125rem 0.375rem rgba(0, 0, 0, 0.2);
  border-radius: 0.3125rem;
  background: #fff;
  margin: auto;
`constHeading=styled.h2``constQuestionLabel=styled.h4`
  font-weight: 300;
`constQuestionDetail=props=>{const{id}=useParams()if(!id){}constquestionDetail=useSelector(state=>{letquestion=state.questions.find(question=>question.id==id)returnquestion})return(<Container><QuestionsContainer><Heading>Title:</Heading>
<QuestionLabel>{questionDetail&&questionDetail.title}</QuestionLabel>
<Heading>Body:</Heading>
<QuestionLabel>{questionDetail&&questionDetail.body}</QuestionLabel>
</QuestionsContainer>
{questionDetail?<Commentsid={questionDetail.id}/> : null}
</Container>
)}exportdefaultQuestionDetail

it contains the details of the questions and comments component. from here, we pass the question id as a props to Comments component

Also, we use useSelector to fetch the questions data from the redux store.

Comments Feature

Now, it's time to create slice for comments feature. Here, we need functionalities such as

  • Add Comment
  • Edit Comment
  • Remove Comment
import{createSlice}from"@reduxjs/toolkit"exportconstcommentSlice=createSlice({name:"comments",initialState:[],reducers:{addComment:(state,action)=>{//Add Comment Reducer},editComment:(state,action)=>{//Edit Comment Reducer},removeComment:(state,action)=>{//Remove Comment Reducer},},})

After that, we export the action creator function, selectors and reducer functions.

exportconst{addComment,editComment,removeComment}=commentSlice.actionsexportconstcomments=state=>state.commentsexportdefaultcommentSlice.reducer

Finally, update the store with comments reducer function

import{configureStore}from"@reduxjs/toolkit"importquestionReducerfrom"../features/Questions/questionSlice"importcommentReducerfrom"../features/Comments/commentsSlice"exportdefaultconfigureStore({reducer:{questions:questionReducer,comments:commentReducer,},})

Comments.js

importReact,{useState}from"react"importstyledfrom"styled-components"import{useSelector,useDispatch}from"react-redux"import{addComment}from"./commentsSlice"constCommentsContainer=styled.div``constCommentHeading=styled.h4``constCommentLists=styled.ul`
  text-decoration: none;
  list-style: none;
  display: flex;
  flex-flow: column;
  padding: 1.75rem;
  max-height: 200px;
  overflow: auto;
`constAddCommentsInput=styled.input`
  width: 10%;
  height: 32px;
  border-radius: 8px;
`constCommentListItem=styled.div`
  padding: 10px;
`constCommentTitle=styled.div``constComments=({id})=>{const[comment,setComment]=useState("")constcomments=useSelector(state=>{letcomments=state.comments.filter(comment=>comment.questionId==id)returncomments})constdispatch=useDispatch()constonAddComment=e=>{if(e.key!=="Enter"){return}if(e.key==="Enter"){letdata={id:comments&&comments.length>0?comments.length+1:1,comment:comment,questionId:id,}dispatch(addComment(data))setComment("")}}return(<div><CommentsContainer><CommentHeading>Comments</CommentHeading>
<CommentLists>{comments&&comments.map(comment=>(<CommentListItemkey={comment.id}><CommentTitle>{comment.comment}</CommentTitle>
</CommentListItem>
))}</CommentLists>
<AddCommentsInputtype="text"value={comment}onChange={e=>setComment(e.target.value)}onKeyPress={onAddComment}/>
</CommentsContainer>
</div>
)}exportdefaultComments

Complete source code can be found here

Summary

Let me give you a quick summary of what we have seen so far. there are four main concepts in redux toolkit. configureStore, createAction, createReducer and createSlice. each of them makes our redux development easier. Mainly, createSlice helps us to generates the action creator function and action types just by taking the reducers of the domain. All other concepts remains the same on the application development.

That's it for this article. Learn it and Practice to get better at react redux application development. Happy Coding :-)


Viewing all articles
Browse latest Browse all 38

Trending Articles