DEV Community

Cover image for Implementing SOLID Principles in React: A Guide for Scalable Development
Mohammed Dawood
Mohammed Dawood

Posted on

Implementing SOLID Principles in React: A Guide for Scalable Development

In the fast-paced world of web development, building scalable and maintainable applications is paramount. As React developers, we often find ourselves seeking best practices to ensure our codebase remains clean, flexible, and robust as it grows. One set of principles that stands out for achieving this is SOLID.

Why SOLID Matters in React Development

SOLID is an acronym for five design principles that, when applied correctly, can greatly enhance the quality of your code. These principles are:

  • Single Responsibility Principle (SRP): Each component should have one, and only one, reason to change.
  • Open/Closed Principle (OCP): Components should be open for extension but closed for modification.
  • Liskov Substitution Principle (LSP): Components should be replaceable with instances of their subtypes without affecting the correctness of the program.
  • Interface Segregation Principle (ISP): Clients should not be forced to depend on interfaces they do not use.
  • Dependency Inversion Principle (DIP): Depend upon abstractions, not concretions.

Applying these principles in React development can help create components that are more modular, easier to understand, and simpler to maintain.

How to Implement SOLID in React

1. Single Responsibility Principle (SRP)

In React, SRP can be applied by ensuring that each component or hook does one thing well. For example, if you have a component that handles both data fetching and rendering, consider splitting it into two components: one for fetching data and one for rendering the UI.

Before SRP:

// components/UserProfile.tsx
import React, { useState, useEffect } from 'react';

const UserProfile: React.FC = () => {
  const [user, setUser] = useState(null);

  useEffect(() => {
    fetch('/api/user')
      .then(response => response.json())
      .then(data => setUser(data));
  }, []);

  if (!user) return <div>Loading...</div>;

  return (
    <div>
      <h1>{user.name}</h1>
      <p>{user.email}</p>
    </div>
  );
};

export default UserProfile;
Enter fullscreen mode Exit fullscreen mode

After SRP:

// hooks/useUser.ts
import { useState, useEffect } from 'react';

const useUser = () => {
  const [user, setUser] = useState(null);

  useEffect(() => {
    fetch('/api/user')
      .then(response => response.json())
      .then(data => setUser(data));
  }, []);

  return user;
};

export default useUser;
Enter fullscreen mode Exit fullscreen mode
// components/UserProfile.tsx
import React from 'react';
import useUser from '../hooks/useUser';

const UserProfile: React.FC = () => {
  const user = useUser();

  if (!user) return <div>Loading...</div>;

  return (
    <div>
      <h1>{user.name}</h1>
      <p>{user.email}</p>
    </div>
  );
};

export default UserProfile;
Enter fullscreen mode Exit fullscreen mode

2. Open/Closed Principle (OCP)

React components should be designed in a way that allows them to be extended without altering their existing code. This can be achieved through higher-order components (HOCs), hooks, or render props, which allow you to add functionality without modifying the original component.

Before OCP:

// components/Button.tsx
import React from 'react';

interface ButtonProps {
  onClick: () => void;
  label: string;
}

const Button: React.FC<ButtonProps> = ({ onClick, label }) => {
  return <button onClick={onClick}>{label}</button>;
};

export default Button;
Enter fullscreen mode Exit fullscreen mode

After OCP (Using HOC):

// components/withLogging.tsx
import React from 'react';

const withLogging = <P extends object>(WrappedComponent: React.ComponentType<P>) => {
  return (props: P) => {
    console.log('Rendering', WrappedComponent.name);
    return <WrappedComponent {...props} />;
  };
};

export default withLogging;
Enter fullscreen mode Exit fullscreen mode
// components/Button.tsx
import React from 'react';
import withLogging from './withLogging';

interface ButtonProps {
  onClick: () => void;
  label: string;
}

const Button: React.FC<ButtonProps> = ({ onClick, label }) => {
  return <button onClick={onClick}>{label}</button>;
};

export default withLogging(Button);
Enter fullscreen mode Exit fullscreen mode

3. Liskov Substitution Principle (LSP)

LSP ensures that derived components or classes can be substituted for their base versions without altering the correctness of the application. In React, this can be achieved by ensuring that child components adhere to the contract defined by their parent.

Before LSP:

// components/Rectangle.tsx
import React from 'react';

interface RectangleProps {
  width: number;
  height: number;
}

const Rectangle: React.FC<RectangleProps> = ({ width, height }) => {
  return <div style={{ width, height, backgroundColor: 'blue' }} />;
};

export default Rectangle;
Enter fullscreen mode Exit fullscreen mode

After LSP (Using Inheritance):

// components/Square.tsx
import React from 'react';
import Rectangle from './Rectangle';

interface SquareProps {
  size: number;
}

const Square: React.FC<SquareProps> = ({ size }) => {
  return <Rectangle width={size} height={size} />;
};

export default Square;
Enter fullscreen mode Exit fullscreen mode

4. Interface Segregation Principle (ISP)

When working with props and context, avoid bloating components with unnecessary props or context values. Instead, create smaller, more focused interfaces or prop types that deliver only the required data to each component.

Before ISP:

// components/UserCard.tsx
import React from 'react';

interface UserCardProps {
  name: string;
  email: string;
  address: string;
  phoneNumber: string;
}

const UserCard: React.FC<UserCardProps> = ({ name, email, address, phoneNumber }) => {
  return (
    <div>
      <h2>{name}</h2>
      <p>{email}</p>
      <p>{address}</p>
      <p>{phoneNumber}</p>
    </div>
  );
};

export default UserCard;
Enter fullscreen mode Exit fullscreen mode

After ISP:

// components/UserCard.tsx
import React from 'react';

interface UserBasicInfoProps {
  name: string;
  email: string;
}

const UserBasicInfo: React.FC<UserBasicInfoProps> = ({ name, email }) => {
  return (
    <div>
      <h2>{name}</h2>
      <p>{email}</p>
    </div>
  );
};

export default UserBasicInfo;
Enter fullscreen mode Exit fullscreen mode

5. Dependency Inversion Principle (DIP)

In React, this principle can be implemented by depending on abstractions (e.g., using hooks or context) rather than concrete implementations. This decouples your components from specific details and makes them easier to test and maintain.

Before DIP:

// services/UserService.ts
export class UserService {
  async getUser() {
    const response = await fetch('/api/user');
    return response.json();
  }
}
Enter fullscreen mode Exit fullscreen mode

After DIP (Using Context):

// context/UserContext.tsx
import React, { createContext, useContext, useState, useEffect } from 'react';

const UserContext = createContext<any>(null);

export const UserProvider: React.FC = ({ children }) => {
  const [user, setUser] = useState(null);

  useEffect(() => {
    fetch('/api/user')
      .then(response => response.json())
      .then(data => setUser(data));
  }, []);

  return <UserContext.Provider value={user}>{children}</UserContext.Provider>;
};

export const useUser = () => useContext(UserContext);
Enter fullscreen mode Exit fullscreen mode
// components/UserProfile.tsx
import React from 'react';
import { useUser } from '../context/UserContext';

const UserProfile: React.FC = () => {
  const user = useUser();

  if (!user) return <div>Loading...</div>;

  return (
    <div>
      <h1>{user.name}</h1>
      <p>{user.email}</p>
    </div>
  );
};

export default UserProfile;
Enter fullscreen mode Exit fullscreen mode

Conclusion

By embracing SOLID principles in your React applications, you can build more scalable, maintainable, and robust codebases. Each principle brings its own value to the table, helping you write cleaner code that’s easier to manage as your application grows.

I hope this guide helps you in your journey to mastering React development. If you found this article useful, feel free to share it with others and check out my other writings on web development and software engineering.

Happy coding!

Top comments (2)

Collapse
 
asmyshlyaev177 profile image
Alex

Don't forget that many of "principles" can be useful in .NET for example and almost useless in React/TS.
Not so much Classes in React, different patterns. HOC is obsolete and kind of anti-pattern, 1 HOC is ok, but eventually you come to hell with 3 HOCs and necessity to debug it.

Collapse
 
mdawooddev profile image
Mohammed Dawood

Thank you for bringing this up! You’re absolutely right that the context in which SOLID principles are applied can significantly impact their relevance and effectiveness.

In .NET, where object-oriented programming and class-based design are more prevalent, SOLID principles align naturally with the architecture. However, React/TypeScript often uses functional programming patterns and hooks, which means that some of these principles may need to be adapted or interpreted differently.

For example, while HOCs were once a popular pattern in React, they’ve been largely replaced by hooks and render props due to the complexities and potential issues you mentioned, like the “HOC hell.” This shift highlights the importance of recognizing when a pattern or principle is becoming less effective or even counterproductive in a given context.

That being said, principles like the Single Responsibility Principle (SRP) and Dependency Inversion Principle (DIP) can still offer value when applied thoughtfully, even in a functional context. The key is to adapt these principles to the paradigms and patterns that are most effective in React.

I appreciate your insights, and it’s a great reminder that we should always consider the specific needs and context of our projects when applying these principles.