DEV Community

Ayush Kumar Vishwakarma
Ayush Kumar Vishwakarma

Posted on

ReactJS Best Practices: Writing Clean and Maintainable Code

ReactJS is a powerful and popular JavaScript library for building dynamic user interfaces. However, as your application grows, maintaining clean and organized code becomes essential to keep it scalable, efficient, and readable. Here are some best practices to help you write clean, maintainable React code.

  1. Organize Your Project Structure Establishing a clear folder structure helps you and your team locate files easily. A common structure follows a "feature-based" approach where each feature has its own folder:
src/
├── components/
│   └── Button/
│       ├── Button.js
│       ├── Button.css
│       └── index.js
├── pages/
│   └── Home.js
└── App.js
Enter fullscreen mode Exit fullscreen mode

Separating components by feature (or responsibility) can make the codebase more modular and easier to navigate as it grows.

  1. Use Functional Components and Hooks React Hooks have replaced class components in many cases and simplify code by avoiding this bindings. Functional components are generally shorter, more readable, and easier to test.

Example:

// Instead of class component:
class MyComponent extends React.Component {
  state = { count: 0 };

  increment = () => {
    this.setState({ count: this.state.count + 1 });
  };

  render() {
    return <button onClick={this.increment}>{this.state.count}</button>;
  }
}

// Use functional component with hooks:
import React, { useState } from 'react';

function MyComponent() {
  const [count, setCount] = useState(0);

  return <button onClick={() => setCount(count + 1)}>{count}</button>;
}
Enter fullscreen mode Exit fullscreen mode
  1. Break Down Components
    Large components are hard to maintain and reuse. Aim to create small, focused components that each handle a single task. If a component is doing multiple things, consider breaking it down into smaller subcomponents.

  2. Use PropTypes or TypeScript
    React’s PropTypes or TypeScript’s static typing can help catch type errors early. Defining expected prop types makes components more predictable and less error-prone.

Example with PropTypes:

import PropTypes from 'prop-types';

function Greeting({ name }) {
  return <h1>Hello, {name}</h1>;
}

Greeting.propTypes = {
  name: PropTypes.string.isRequired,
};

Enter fullscreen mode Exit fullscreen mode

Example with TypeScript:


type GreetingProps = {
  name: string;
};

const Greeting: React.FC<GreetingProps> = ({ name }) => {
  return <h1>Hello, {name}</h1>;
};
Enter fullscreen mode Exit fullscreen mode
  1. Keep Component Logic Separate from UI To keep code clean and testable, separate the logic from presentation. For example, use custom hooks to handle logic and manage state, then pass data as props to components that handle the UI.

Example of a custom hook:


import { useState, useEffect } from 'react';

function useFetchData(url) {
  const [data, setData] = useState(null);

  useEffect(() => {
    fetch(url)
      .then(response => response.json())
      .then(data => setData(data));
  }, [url]);

  return data;
}

// UI Component:
function DataDisplay({ url }) {
  const data = useFetchData(url);
  return <div>{data ? data.title : 'Loading...'}</div>;
}
Enter fullscreen mode Exit fullscreen mode
  1. Use Meaningful and Consistent Naming Consistent naming conventions make your code more readable. Use camelCase for functions and variables, PascalCase for component names, and descriptive names for all props and state variables.

Example:


// Good:
const isLoggedIn = true;
const userProfile = { name: "John", age: 30 };

// Poor:
const x = true;
const obj = { name: "John", age: 30 };
Enter fullscreen mode Exit fullscreen mode
  1. Use Context API Carefully React’s Context API is a powerful tool for managing state globally, but overusing it can make your code complex and hard to debug. Use it sparingly and consider using state management libraries like Redux or Zustand for larger applications.

Example:


import React, { createContext, useContext, useState } from 'react';

const AuthContext = createContext();

export function AuthProvider({ children }) {
  const [isAuthenticated, setIsAuthenticated] = useState(false);

  return (
    <AuthContext.Provider value={{ isAuthenticated, setIsAuthenticated }}>
      {children}
    </AuthContext.Provider>
  );
}

export function useAuth() {
  return useContext(AuthContext);
}
Enter fullscreen mode Exit fullscreen mode
  1. Memoize Expensive Functions and Components React re-renders components every time the parent component re-renders. To prevent unnecessary re-renders, use React.memo for components and useMemo/useCallback for functions.

Example:


import React, { memo, useMemo } from 'react';

const ExpensiveComponent = memo(({ data }) => {
  const processedData = useMemo(() => {
    return data.map(item => item * 2);  // expensive calculation
  }, [data]);

  return <div>{processedData}</div>;
});
Enter fullscreen mode Exit fullscreen mode
  1. Use CSS Modules or Styled-Components Avoid global styles by using CSS Modules, styled-components, or similar tools. They help scope styles to individual components, reducing style conflicts and improving readability.

Example with CSS Modules:

// Button.module.css
.button {
  background-color: blue;
  color: white;
}

// Button.js
import styles from './Button.module.css';

function Button() {
  return <button className={styles.button}>Click me</button>;
}
Enter fullscreen mode Exit fullscreen mode

Example with Styled-Components:


import styled from 'styled-components';

const Button = styled.button`
  background-color: blue;
  color: white;
`;

function App() {
  return <Button>Click me</Button>;
}
Enter fullscreen mode Exit fullscreen mode
  1. Test Your Components Testing ensures that your components work as expected and helps catch bugs early. Use Jest and React Testing Library to write unit tests for components and integrate testing into your workflow.

Basic Example with React Testing Library:

import { render, screen } from '@testing-library/react';
import Button from './Button';

test('renders the button with the correct text', () => {
  render(<Button />);
  const buttonElement = screen.getByText(/Click me/i);
  expect(buttonElement).toBeInTheDocument();
});
Enter fullscreen mode Exit fullscreen mode

Conclusion

By following these best practices, you can write React code that’s clean, scalable, and easy to maintain. Organizing files, using functional components, separating logic from UI, and testing components are just a few ways to make your React applications more efficient and enjoyable to work on. Start applying these techniques in your projects to elevate the quality of your code and make future development faster and more enjoyable.

Top comments (1)

Collapse
 
jayaramviswanathr profile image
Viswanath R

Very helpful! Thanks for the article.