10 Useful tips that every React JS developer should know

10 Useful tips that every React JS developer should know

Want to improve your React JS Developer skills?

Whether you are an employer or an employee, you must have a certain skill that will help you to give the best in your role. Here I’m sharing some top learning React Js tips that will help you to grow your knowledge as well as your skills as a React JS Developer.

React JS Code

Tips for React JS Developers

1. Keep the components small

When we talk about good developers they know that small modules, classes, or anything is much easier to understand and maintain, the same we can do with React components. The size of your component depends upon many different factors, but as per me, your components should be smaller than you think. Let’s see an example:
				
					const InterestingFacts = props => (
  <div>
    <h1>Interesting Facts</h1>
    <div>
      { props.facts.map(fact => <Fact key={fact.slug} fact={fact}/>) }
    </div>
  </div>
);
				
			
In the above example, there is a heading and the second one is just mapped over some data, rendering a  for each element and extracting the  as its own component.

2. Use functional components

We can achieve better performance and an easy way to test React components by using functional components because it provides simple and shorter code. Let’s take example:
				
					function ShowName(props) {
   return <div>Welcome {props.name}!</div>
}
				
			

The same component written in ES6:

				
					const ShowName = ({name}) => <div>Welcome {name}!</div>

				
			
Now if we write this component as a class component:
				
					class ShowName extends Component {
   render() {
      return <div>Welcome {this.props.name}!</div>
   }
}
				
			
If you have a class component that is only rendering a method, you should always use a functional component.

3. Hooks

Use Hooks with the release of v16.8.0. Hooks provide us to use react features without writing a class, i.e. hooks will not work inside classes. In addition, It provides a more direct API to the react concepts we already know, like props, state, context, refs, and lifecycle. We can also create our own hooks in React JS. Let’s see below the use of useState and useEffect.

a. useState

We can use the React state feature in the functional component with useState. It returns two values: the current state and a function to update it. We can also set the default (initial) state value. We have to write like this: const [isVisible, setIsVisible] = useState(false). In class, this is similar to this.state.isVisible and this.setState.

				
					import React, { useState } from 'react';

export default function ExampleComponent() {
    const [isVisible, setIsVisible] = useState(false);

    return (
        <div>
            { isVisible && <h1>Bumper offer!</h1> }
            <button onClick={setIsVisible(true)}></button>
        </div>
    );
}
				
			

b. useEffect

We can use some React lifecycles in the functional component with useEffect.
				
					
import React, { useState, useEffect } from 'react';

export default function ExampleComponent() {
    const [isVisible, setIsVisible] = useState(false);
    const [offerText, setOfferText] = useState('No offer!');

    // Similar to componentDidMount and componentDidUpdate:
    useEffect(() => {
        // Update the offer text
        !isVisible && setOfferText('Bumper offer!');
    }, [isVisible]);

    return (
        <div>
            <h1>{offerText}</h1>
            <button onClick={setIsVisible(true)}></button>
        </div>
    );
}
				
			
If you use the same component as a class component, so we have to use two lifecycle methods componentDidMount and componentDidUpdate having the same code i.e. this.state.offerText and with some conditions.

4. Always use PropTypes

PropTypes, one of the most important tips for React Js developer, provide us with more type checking/safety of our components. It exports a range of validators that can be used to check whether the received data is valid or not. When in development (not production), if any component is not given a required prop, or is given the wrong type for one of its props, then React will log an error to let you know.
				
					import React from 'react';
import PropTypes from 'prop-types';

export default function MainButton({ className, title, onClick, isLoading }) {
    return (
        <button
            type="button"
            className={`main-button ${className}`}
            onClick={() => onClick()}
        >{isLoading ? <><i class="fas fa-spinner"></i> {title}</> : title}</button>
    );
}

MainButton.propTypes = {
    className: PropTypes.string,
    title: PropTypes.string.isRequired,
    onClick: PropTypes.func,
    isLoading: PropTypes.bool,
};
				
			
If you use isRequired, then you don’t need to check for undefined or null as often.

5. DefaultProps

We set initial state values of the React component similarly we can also define default values for our props with the property defaultProps. This can be used for undefined props, but not for null props. If a prop value is null then it will remain null.
				
					export default function MainButton({ className, title, onClick, isLoading }) {
    return (
        <button
            type="button"
            className={`main-button ${className}`}
            onClick={() => onClick()}
        >{isLoading ? <><i class="fas fa-spinner"></i> {title}</> : title}</button>
    );
}

MainButton.defaultProps = {
    className: '',
    title: 'Submit',
    isLoading: false,
};
				
			

6. React Fragment

Sometimes we need a wrap the children elements in a single element but we don’t need any extra DOM element. So using React.Fragment component we can return multipl elements in a render() method without creating an additional DOM element.

				
					render() {
  return (
    <Fragment>
      Some text.
      <h2>A heading</h2>
    </Fragment>
  );
}
				
			
We can also use it with the shorthand <> syntax.

7. High Order Component

A high order component is a function that takes another component as an argument and returns a new component. In addition, The goal of this is to decompose the logic into simpler and smaller functions that can be reused.
				
					const Reverse = (PassedComponent) =>
  ({ children, ...props }) =>
    <PassedComponent {...props}>
      {children.split("").reverse().join("")}
    </PassedComponent>

const name = (props) => <span>{props.children}</span>
const ReversedName = Reverse(name)
<ReversedName>Hello</ReversedName>
				
			
In the given example it takes a component and reverse the content inside it.

8. Memoizing

Memoizing is a feature that is used to speed up the render process of the components. In other words, it caching the results of expensive function calls and reusing the cached result to avoid repeating those expensive operations. In React, we can achieve memoization in two ways, i.e. React.memo and useMemo. So we are taking an example of useMemo which is a React hook.
				
					const memoizedValue = useMemo(() => computeExpensiveValue(a, b), [a, b]);

				
			
In the given example it takes a component and reverse the content inside it.

9. React with TypeScript

We can also create the react app with Typescript with this command: npm create-react-app my-app –typescript. In addition, there are many benefits of using Typescript with React. Typescript provides the readability and validation to avoid bugs during development as well as it uses interfaces for the complex type definitions. So let’s take an example of using Typescript in a functional component:
				
					import * as React from 'react';

const ExampleComponent: React.FunctionComponent<{
  name: string
}> = (props) => {
  return <h1>{props.name}</h1>
}

export default ExampleComponent;

				
			
similarly with an interface:
				
					interface Props {
  name: string
}

const ExampleComponent: React.FunctionComponent<Props> = (props) => {
  return <h1>{props.name}</h1>
}
				
			

10. React Developer Tools

We can use the chrome extension React Developer Tools by which we can select, inspect, debug, or can edit the component state and props. The dev tools show you the list of components as well as subcomponents which are rendered on that screen.
React Developer Tools
If you want to become a good React Js developer, this is a must-have extension because it will fulfill many development requirements. So check this to practice this tool.

I hope all these tips will be useful for you. I will try to bring more similar concepts in the next article. Please feel free to ask in comment if you have something to add in this list or having any doubt or need more insights on particular point from above? please drop a comment. Thank you for reading.

I hope I could help you with these tips and with these React tips you may do some wonders. If you have any query feel free to comment.

Related articles