DEV Community

Cover image for 7 Best Practices for Keeping a React Project Clean and Efficient
Ankur Tyagi
Ankur Tyagi

Posted on • Originally published at scrimba.com

7 Best Practices for Keeping a React Project Clean and Efficient

A Step-by-Step Guide to Organising a React Project.

As a React developer, you know that the key to creating a successful project is keeping your code organised and easy to understand.

In this guide, I'll share my top tips and tricks for organising your React code intuitively and efficiently.

I've got the scoop on keeping your codebase running like a well-oiled machine, from creative folder structures to clever naming conventions.

So why wait? Let's dive in and start optimising your project today!

Image description


Introduction

As a software engineer with over 13 years of experience, I've worked on various exciting projects for companies such as Disney, T-Mobile, Barclays, and Accenture.

I've learned the value of having a logical and clear code structure throughout my career, especially on large-scale projects where a lot of code can be tracked.

I've tried out different structures and found that depending on the project's size and complexity, some work better than others.

For example, on a large project for Accenture, I implemented a combination of feature-based and module-based folders to keep my code organised and easy to navigate.

This allowed me to maintain a clear separation of concerns and helped me stay efficient as I worked on the project.

Again, there's no one-size-fits-all approach to code organisation, and the specific structure that works best for your project will depend on your particular needs and preferences. But by following some best practices and staying organised, you can set your project up for success and streamline your workflow as a developer.


1- Ideal Folder Structure

Assuming you're going to create the next app similar to Facebook, an ideal folder structure would look like this.

Image description

In this code structure, a large-scale React app that resembles a social media platform like Facebook is designed to be scalable, maintainable, and easy to navigate.

The structure is organised into an src directory containing the React app's source code.

The actions and reducers folders contain Redux-specific code.

The components folder contains the React components for the app.

The styles folder contains CSS styles.

The utils folder contains utility functions.

The views folder contains higher-level components responsible for rendering specific pages or sections of the app.

The App.js file contains the root component of the app.

The index.js file is responsible for rendering the root component and mounting it to the DOM.

The package.json file lists the dependencies for the project

The README.md file provides documentation for the project.

Overall, this code structure is designed to support the development of a large-scale React app with a complex feature set and a large codebase.

The use of Redux for state management and the inclusion of utility functions and higher-level views further help to improve the scalability and maintainability of the app.

I like how Adrian organizes his ongoing projects.

Image description


2- Naming Conventions

In the code structure above, I used several naming conventions to improve the readability and understandability of the code.

For example:

  • I used camelCase for variables and functions, such as fetchPosts and updateProfile. This standard convention in JavaScript makes it easier to read the code.
  • I also used PascalCase for components such as ProfilePage and PostList. This standard React convention helps distinguish components from other types of code.
  • The actions folder contains code related to Redux actions.
  • The components folder contains the React components for the app.

Overall, consistent and descriptive naming conventions help improve the code's readability and understandability.


3- Debugging and Error Handling

First, I made sure to use the React Developer Tools browser extension, a valuable tool for debugging and understanding what's happening in a React app.

Image description

The extension allows you to inspect the component hierarchy, view the current state and props of components, and see what's happening behind the scenes.

import React from 'react';
import { render } from 'react-dom';

class App extends React.Component {
  state = {
    count: 0
  };

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

  render() {
    return (
      <div>
        <h1>Count: {this.state.count}</h1>
        <button onClick={this.incrementCount}>Increment</button>
      </div>
    );
  }
}

render(<App />, document.getElementById('root'));
Enter fullscreen mode Exit fullscreen mode

I also made sure to use the console.log function to output debug information.

This simple but powerful tool allows you to see what's happening in your code.

import React from 'react';
import { render } from 'react-dom';

class App extends React.Component {
  state = {
    count: 0
  };

  incrementCount = () => {
    console.log('Incrementing count');
    this.setState({ count: this.state.count + 1 });
  };

  render() {
    return (
      <div>
        <h1>Count: {this.state.count}</h1>
Enter fullscreen mode Exit fullscreen mode

In addition, I used try/catch blocks to catch and handle exceptions in my code.

Finally, I regularly tested the app to catch any errors or issues that might arise.

By following these debugging and error-handling strategies, I could effectively troubleshoot and fix problems in the app, which helped improve the codebase's stability and reliability.


4- Code Splitting

Code splitting is a technique for optimising the performance of a React app by dividing the code into smaller chunks that can be loaded on demand.

Here are 3 factors to consider when implementing code splitting in a React app.

  1. Code splitting can improve the initial load time of an app by only loading the code needed upfront rather than loading the entire codebase at once.

  2. Code splitting can be implemented using the React.lazy and Suspense components, which allow you to dynamically load components as they are needed.

  3. Code splitting can be used with web-pack and the import()function to dynamically import code chunks at runtime.

To implement code splitting in a React app, you can use the React.lazy and Suspense components to dynamically load components as they are needed.

For example:

import React, { Suspense } from 'react';

const HomePage = React.lazy(() => import('./views/HomePage'));
const ProfilePage = React.lazy(() => import('./views/ProfilePage'));
const FriendsPage = React.lazy(() => import('./views/FriendsPage'));

function App() {
  return (
    <Suspense fallback={<div>Loading...</div>}>
      <Switch>
        <Route exact path="/" component={HomePage} />
        <Route path="/profile" component={ProfilePage} />
        <Route path="/friends" component={FriendsPage} />
      </Switch>
    </Suspense>
  );
}

export default App;
Enter fullscreen mode Exit fullscreen mode

In this example, the HomePage, ProfilePage, and FriendsPage components are loaded dynamically using the React.lazy and Suspense components.

By implementing code splitting, you can help optimize your React app's performance and improve the user experience.


5- Linting

Linting is the process of automatically checking your code for errors and inconsistencies.

Here are three key points to consider when using linting tools to improve code quality in a React app.

  1. Linting tools can help to enforce coding standards and best practices by identifying and flagging errors and inconsistencies in your code.

  2. Linting tools can be integrated with your code editor or build process to automatically check your code as you write it.

  3. Linting tools can be configured to check for specific errors or issues and can be customized to suit the needs of your project.

To implement linting in a React app, you can use a popular linting tool such as ESLint.

For example, you can install ESLint by running the command npm install eslint and then integrate it with your code editor by installing the corresponding plugin. After that, you can configure it by creating a .eslintrc file at the root of your project.

Here is an example of how you might configure ESLint to check for specific errors in a React app.

{
  "extends": [
    "eslint:recommended",
    "plugin:react/recommended"
  ],
  "plugins": [
    "react"
  ],
  "parser": "babel-eslint",
  "parserOptions": {
    "ecmaVersion": 6,
    "sourceType": "module",
    "ecmaFeatures": {
      "jsx": true
    }
  },
  "rules": {
    "react/prop-types": "off"
  }
}

Enter fullscreen mode Exit fullscreen mode

By using the linting tool and enforcing coding standards, you can help to improve the quality of your code and ensure consistency throughout your codebase.


6- Testing

Testing is an important aspect of software development because it allows you to ensure that your components are working as expected.

Here are five key points to consider when testing React components.

  1. Testing can help to catch bugs and errors early in the development process, which can save time and effort in the long run.

  2. There are different types of tests that you can write, such as unit tests, integration tests, and end-to-end tests, each with its specific use cases.

  3. Unit tests are focused on testing individual components or functions in isolation and checking their outputs.

  4. Integration tests are focused on testing how different components and services interact with one another.

  5. End-to-end tests are focused on testing the entire application as a user would interact with it.

There are various testing libraries you can use to write the test cases for your React code, the most popular of them are Jest, Enzyme and Cypress.

  • Jest is a JavaScript testing framework that can be used for unit tests and integration tests.
  • Enzyme is a JavaScript testing utility for React that makes it easy to assert, manipulate, and traverse your React Components' output.
  • Cypress is an end-to-end testing framework that makes it easy to write, run and debug tests for web applications.

Here is an example of how you might write a unit test for a simple React component using Jest and Enzyme.

import React from 'react';
import { shallow } from 'enzyme';
import MyComponent from './MyComponent';

describe('MyComponent', () => {
  it('renders the correct text', () => {
    const wrapper = shallow(<MyComponent text="Hello, world!" />);
    expect(wrapper.text()).toEqual('Hello, world!');
  });
});

Enter fullscreen mode Exit fullscreen mode

This test uses the shallow function from Enzyme to render the MyComponent component, and then uses Jest's expect function to check that the component's text content is as expected.

Here's an example of an end-to-end test that tests the login to the home page and sending a tweet functionality using Cypress.

describe('Login and tweet functionality', () => {
  it('logs in and sends a tweet', () => {
    cy.visit('http://localhost:3000/login');
    cy.get('input[name="username"]').type('myusername');
    cy.get('input[name="password"]').type('mypassword');
    cy.get('button[type="submit"]').click();
    cy.url().should('include', '/home');
    cy.get('textarea[name="tweet"]').type('This is my new tweet!');
    cy.get('button[type="submit"]').click();
    cy.get('.tweet').should('contain', 'This is my new tweet!');
  });
});

Enter fullscreen mode Exit fullscreen mode

In this example, the test navigates to the login page of the app, enters the login credentials, submits the form and checks if it's redirected to the home page. Then it types in the text area a new tweet, clicks on the submit button, and then checks if the tweet is present on the page.

This test simulates a user logging into the app, navigating to the home page, and sending a tweet.

Here are two out-of-the-box strategies for testing React components that you could consider:

  1. Snapshot Testing: This is a technique for testing that involves taking a "snapshot" of the component's rendered output and comparing it to a reference snapshot. If the reference snapshot and the current snapshot match, the test passes. This technique can be useful for catching unexpected changes to a component's output.

  2. Visual Regression Testing: This technique involves taking screenshots of the component's output and comparing it to a reference screenshot. If the reference screenshot and the current screenshot match, the test passes. This technique can be useful for catching visual changes to a component's output.

Here's an example of how you might use Jest and Enzyme to take a snapshot of a component.

import React from 'react';
import renderer from 'react-test-renderer';
import MyComponent from './MyComponent';

describe('MyComponent', () => {
  it('matches the snapshot', () => {
    const tree = renderer.create(<MyComponent />).toJSON();
    expect(tree).toMatchSnapshot();
  });
});

Enter fullscreen mode Exit fullscreen mode

Here's an example of how you might use Cypress for visual regression testing.

describe('MyComponent', () => {
  it('matches the reference screenshot', () => {
    cy.visit('http://localhost:3000');
    cy.matchImageSnapshot();
  });
});

Enter fullscreen mode Exit fullscreen mode

By using these techniques, you can catch unexpected changes in your components and ensure that they maintain consistency over time.


7- Type Checking

Type checking is a technique for ensuring that variables and functions have the correct data types at runtime.

Here are two key points to consider when using type-checking tools to improve code reliability in a React app.

  1. Type checking can help to catch type-related errors early in the development process before they cause problems at runtime. This can save time and effort in the long run.

  2. Type checking can improve the readability and maintainability of your code by providing clear and explicit information about the types of variables and functions.

There are different type-checking tools you can use in a React project, the most popular is TypeScript and PropTypes.

  • TypeScript is a typed superset of JavaScript that adds type annotations and interfaces to the language. It can be used to write large-scale projects and increase development speed.
  • PropTypes is a built-in package that ships with React, it allows you to specify the types of props for a component and it will check them at runtime.

Here is an example of how you might use TypeScript to define the types of props for a component.

import React from 'react';

type Props = {
  name: string;
  age: number;
  isStudent: boolean;
};

const MyComponent: React.FC<Props> = ({ name, age, isStudent }) => {
  return <div>{name} is {age} years old and is a student: {isStudent ? 'yes' : 'no'}</div>;
};

Enter fullscreen mode Exit fullscreen mode

Here is an example of how you might use PropTypes to define the types of props for a component.

import React from 'react';
import PropTypes from 'prop-types';

const MyComponent = ({ name, age, isStudent }) => {
  return <div>{name} is {age} years old and is a student: {isStudent ? 'yes'

Enter fullscreen mode Exit fullscreen mode

Importance of an Organised Folder Structure

  • Code organisation is essential for the success of any project, large or small.
  • A clear and logical folder structure helps keep your code organised, easy to understand and maintain.
  • An organised codebase makes it easier to scale your project as it grows and evolves.
  • A clear and consistent organisation can improve the overall efficiency of a project.
  • An organised codebase can make it easier to onboard new team members and reduce the learning curve for new developers.
  • It's worth taking the time to carefully plan and implement a code organisation strategy that works well for your particular project.
  • Ignoring code organisation can lead to a cluttered, hard-to-maintain codebase that is difficult to work with.
  • Code organisation is not a one-size-fits-all proposition - the specific structure that works best for your project will depend on its size, complexity, and other factors.
  • Adaptability and willingness to change your code organisation strategy as your project grows and evolves are critical.
  • Code organisation is an ongoing process, and it's essential to periodically review and refactor your structure to ensure that it still serves your project's needs.

Don't Overthink About Folder Structure

If you're just starting a new project, don't spend more than 5-10 minutes deciding on a file structure. Choose any approach and begin writing code! You'll definitely reconsider after you've written some real code.


Conclusion

Organising your React code and implementing best practices is not only a good idea, but it's also an absolute must for any project that aspires to be maintainable and scalable.

  • A well-structured codebase is a foundation upon which all further development will be built. It's like a solid foundation of a building that supports the entire structure.
  • By following best practices like using a clear and consistent file and folder structure, implementing naming conventions, managing dependencies, debugging and error handling, testing and type checking, you'll be able to write code that is not only functional but also a pleasure to work with.

> It's like having a clean and organised office, it makes you more productive and efficient. So, don't just take our word for it, put these best practices into action and experience the difference for yourself!

If you know of any better practices, please share them in the comments section.

Thank you for taking the time to read this, and happy coding!

Image description

This post is sponsored by the wonderful people at Scrimba and was originally published here. They provide an excellent platform for interactive coding tutorials, courses, and challenges designed to turn you into a web development superstar.

Now that you've been equipped with the knowledge on how to organize and structure your React code, it's time to take the next step by subscribing to my newsletter and following me on Twitter.

In addition, if you found this blog post useful, please share it with your friends and colleagues who might also benefit from it.

Your support helps me to continue creating valuable content for the tech community.

Top comments (1)

Collapse
 
thanhdungjd profile image
thanhdungjd

you dont use Hooks???
why is the folders: components, view, styles, utils... in the 'src/action'?
I have a feeling, src/actions is the direction root.
you follow react style 2017 ?