DEV Community

Cover image for A Beginner's Guide to Component Design in React
Lovish Duggal
Lovish Duggal

Posted on

A Beginner's Guide to Component Design in React

Introduction

React is a popular JavaScript library used for building user interfaces, especially for single-page applications. One of the key concepts in React is component design. Components are the building blocks of a React application. Understanding how to create and use them effectively is crucial for building efficient and maintainable applications. This article will explain component design in React in simple terms, with plenty of examples to make it easy to understand.

What is a Component?

A component in React is like a small, reusable piece of code that defines a part of the user interface. Think of components like LEGO blocks. Just as you can use LEGO blocks to build different structures, you can use React components to build different parts of a web application.

Everyday Example:

Imagine a car. A car is made up of many parts like the engine, wheels, and seats. Each of these parts can be considered a component. In the same way, a web page can be made up of different components like a header, footer, and content area.

In a React application, components can be nested inside other components to create complex UIs. Each component is responsible for rendering a small part of the user interface.

Types of Components

Functional Components

A functional component is a simple JavaScript function that takes props as an argument and returns a React element. These components are easy to write and understand.

Example:

function Welcome(props) {
  return <h1>Hello, {props.name}!</h1>;
}
Enter fullscreen mode Exit fullscreen mode

In this example, Welcome is a functional component that accepts props and returns a greeting message.

When to use functional components:

  • When you need a simple, stateless component

  • For better performance in most cases

  • With React Hooks, functional components can also manage state and side effects

Class Components

A class component is a more complex component that can hold and manage its own state. It is defined using ES6 class syntax.

Example:

class Welcome extends React.Component {
  render() {
    return <h1>Hello, {this.props.name}!</h1>;
  }
}
Enter fullscreen mode Exit fullscreen mode

In this example, Welcome is a class component that also accepts props and returns a greeting message.

When to use class components:

  • When you need to manage state or lifecycle methods

Building Your First Component

Let's build a simple functional component and render it in a React application.

Step-by-step Guide:

  1. Create a new file called App.js:

    import React from 'react';
    
    function App() {
      return (
        <div>
          <h1>My First Component</h1>
          <Welcome name="John" />
        </div>
      );
    }
    
    function Welcome(props) {
      return <h1>Hello, {props.name}!</h1>;
    }
    
    export default App;
    
  2. Render the App component in index.js:

    import React from 'react';
    import ReactDOM from 'react-dom';
    import App from './App';
    
    ReactDOM.render(<App />, document.getElementById('root'));
    

    In this example, we created a simple Welcome component that displays a greeting message and used it inside the App component.

Component Props and State

Props

Props are inputs to a React component. They are passed to the component in the same way that arguments are passed to a function.

Example of passing props:

function Welcome(props) {
  return <h1>Hello, {props.name}!</h1>;
}

<Welcome name="Alice" />
Enter fullscreen mode Exit fullscreen mode

In this example, name is a prop passed to the Welcome component

State

State is a way to manage data that can change over time in a component. State is managed within the component and can be updated using the useState Hook in functional components.

Example of using state:

import React, { useState } from 'react';

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

  return (
    <div>
      <p>You clicked {count} times</p>
      <button onClick={() => setCount(count + 1)}>
        Click me
      </button>
    </div>
  );
}
Enter fullscreen mode Exit fullscreen mode

In this example, Counter is a functional component that uses the useState Hook to manage the count state.

Composing Components

Components can be combined to build more complex UIs. This is called composing components.

Example:

function App() {
  return (
    <div>
      <Header />
      <Content />
      <Footer />
    </div>
  );
}

function Header() {
  return <h1>This is the header</h1>;
}

function Content() {
  return <p>This is the content</p>;
}

function Footer() {
  return <p>This is the footer</p>;
}
Enter fullscreen mode Exit fullscreen mode

In this example, App is composed of Header, Content, and Footer components.

Best Practices in Component Design

  • Keep Components Small: Break down your UI into small, reusable components. This makes your code easier to manage and understand.

    Example: In a social media application, instead of having a single large component to handle the entire user profile page, break it down into smaller components like ProfileHeader, ProfilePicture, ProfileBio, and ProfilePosts. This makes each component easier to manage and update independently

// ProfileHeader.js
import React from 'react';

function ProfileHeader({ name }) {
  return <h1>{name}'s Profile</h1>;
}

export default ProfileHeader;

// ProfilePicture.js
import React from 'react';

function ProfilePicture({ imageUrl }) {
  return <img src={imageUrl} alt="Profile" />;
}

export default ProfilePicture;

// ProfileBio.js
import React from 'react';

function ProfileBio({ bio }) {
  return <p>{bio}</p>;
}

export default ProfileBio;

// ProfilePosts.js
import React from 'react';

function ProfilePosts({ posts }) {
  return (
    <ul>
      {posts.map(post => (
        <li key={post.id}>{post.content}</li>
      ))}
    </ul>
  );
}

export default ProfilePosts;

// UserProfile.js
import React from 'react';
import ProfileHeader from './ProfileHeader';
import ProfilePicture from './ProfilePicture';
import ProfileBio from './ProfileBio';
import ProfilePosts from './ProfilePosts';

function UserProfile({ user }) {
  return (
    <div>
      <ProfileHeader name={user.name} />
      <ProfilePicture imageUrl={user.imageUrl} />
      <ProfileBio bio={user.bio} />
      <ProfilePosts posts={user.posts} />
    </div>
  );
}

export default UserProfile;
Enter fullscreen mode Exit fullscreen mode
  • Single Responsibility: Each component should do one thing and do it well. This makes components easier to test and debug.

    Example: In an e-commerce application, a ProductCard component should only be responsible for displaying product information. Any logic related to adding the product to the cart should be handled by a separate AddToCartButton component. This separation ensures that each component has a single responsibility.

// ProductCard.js
import React from 'react';

function ProductCard({ product }) {
  return (
    <div>
      <h2>{product.name}</h2>
      <p>{product.description}</p>
      <p>${product.price}</p>
    </div>
  );
}

export default ProductCard;

// AddToCartButton.js
import React from 'react';

function AddToCartButton({ onAddToCart }) {
  return <button onClick={onAddToCart}>Add to Cart</button>;
}

export default AddToCartButton;

// ProductPage.js
import React from 'react';
import ProductCard from './ProductCard';
import AddToCartButton from './AddToCartButton';

function ProductPage({ product, onAddToCart }) {
  return (
    <div>
      <ProductCard product={product} />
      <AddToCartButton onAddToCart={onAddToCart} />
    </div>
  );
}

export default ProductPage;
Enter fullscreen mode Exit fullscreen mode
  • Use Props and State Wisely: Use props to pass data and state to manage data that changes. Avoid using state in too many places; keep it where it makes sense.

    Example: In a weather application, use props to pass the current weather data to a WeatherDisplay component. Use state within a WeatherFetcher component to manage the fetching and updating of weather data. This keeps the data flow clear and manageable.

// WeatherDisplay.js
import React from 'react';

function WeatherDisplay({ weather }) {
  return (
    <div>
      <h2>Current Weather</h2>
      <p>Temperature: {weather.temperature}°C</p>
      <p>Condition: {weather.condition}</p>
    </div>
  );
}

export default WeatherDisplay;

// WeatherFetcher.js
import React, { useState, useEffect } from 'react';
import WeatherDisplay from './WeatherDisplay';

function WeatherFetcher() {
  const [weather, setWeather] = useState(null);

  useEffect(() => {
    fetch('https://api.weatherapi.com/v1/current.json?key=YOUR_API_KEY&q=London')
      .then(response => response.json())
      .then(data => setWeather(data.current));
  }, []);

  return weather ? <WeatherDisplay weather={weather} /> : <p>Loading...</p>;
}

export default WeatherFetcher;
Enter fullscreen mode Exit fullscreen mode
  • Composition Over Inheritance: Combine components to create complex UIs instead of using inheritance. This makes your code more flexible and easier to maintain.

    Example: In a dashboard application, instead of creating a base Widget class and inheriting from it, create small, composable components like ChartWidget, TableWidget, and SummaryWidget. Combine these components in a Dashboard component to create the final UI. This approach is more flexible and easier to maintain.

// ChartWidget.js
import React from 'react';

function ChartWidget() {
  return <div>Chart Widget</div>;
}

export default ChartWidget;

// TableWidget.js
import React from 'react';

function TableWidget() {
  return <div>Table Widget</div>;
}

export default TableWidget;

// SummaryWidget.js
import React from 'react';

function SummaryWidget() {
  return <div>Summary Widget</div>;
}

export default SummaryWidget;

// Dashboard.js
import React from 'react';
import ChartWidget from './ChartWidget';
import TableWidget from './TableWidget';
import SummaryWidget from './SummaryWidget';

function Dashboard() {
  return (
    <div>
      <ChartWidget />
      <TableWidget />
      <SummaryWidget />
    </div>
  );
}

export default Dashboard;
Enter fullscreen mode Exit fullscreen mode
  • Readable and Maintainable Code: Write clean and readable code. Use meaningful names for your components and variables. Add comments where necessary to explain complex logic.

    Example: In a blogging platform, use meaningful names for components like Post, Comment, and AuthorBio. Add comments to explain complex logic, such as how the Post component fetches and displays data. This makes the codebase easier for new developers to understand and contribute to.

// Post.js
import React from 'react';

// Post.js
import React, { useState, useEffect } from 'react';

function Post({ postId }) {
  const [post, setPost] = useState(null);
  const [loading, setLoading] = useState(true);

  // Fetch the post data when the component mounts
  useEffect(() => {
    async function fetchPost() {
      try {
        const response = await fetch(`https://api.example.com/posts/${postId}`);
        const data = await response.json();
        setPost(data);
      } catch (error) {
        console.error('Error fetching post:', error);
      } finally {
        setLoading(false);
      }
    }

    fetchPost();
  }, [postId]);

  if (loading) {
    return <p>Loading...</p>;
  }

  if (!post) {
    return <p>Post not found</p>;
  }

  return (
    <div>
      <h2>{post.title}</h2>
      <p>{post.content}</p>
    </div>
  );
}

export default Post;

// Comment.js
import React from 'react';

function Comment({ author, text }) {
  return (
    <div>
      <p><strong>{author}</strong>: {text}</p>
    </div>
  );
}

export default Comment;

// AuthorBio.js
import React from 'react';

function AuthorBio({ author }) {
  return (
    <div>
      <h3>About the Author</h3>
      <p>{author.bio}</p>
    </div>
  );
}

export default AuthorBio;

// Blog.js
import React, { useState, useEffect } from 'react';
import Post from './Post';
import Comment from './Comment';
import AuthorBio from './AuthorBio';

function Blog({ postId }) {
  const [comments, setComments] = useState([]);
  const [author, setAuthor] = useState(null);

  // Fetch comments and author data when the component mounts
  useEffect(() => {
    async function fetchComments() {
      try {
        const response = await fetch(`https://api.example.com/posts/${postId}/comments`);
        const data = await response.json();
        setComments(data);
      } catch (error) {
        console.error('Error fetching comments:', error);
      }
    }

    async function fetchAuthor() {
      try {
        const response = await fetch(`https://api.example.com/posts/${postId}/author`);
        const data = await response.json();
        setAuthor(data);
      } catch (error) {
        console.error('Error fetching author:', error);
      }
    }

    fetchComments();
    fetchAuthor();
  }, [postId]);

  return (
    <div>
      <Post postId={postId} />
      {author && <AuthorBio author={author} />}
      <h3>Comments</h3>
      {comments.map((comment) => (
        <Comment key={comment.id} author={comment.author} text={comment.text} />
      ))}
    </div>
  );
}

export default Blog;
Enter fullscreen mode Exit fullscreen mode
  • Performance Optimization: Avoid unnecessary re-renders by using React's built-in optimization techniques like React.memo and useCallback.

    Example: In a chat application, use React.memo to prevent unnecessary re-renders of the MessageList component when new messages are added. Use useCallback to memoize event handlers in the MessageInput component to avoid creating new functions on every render.

// MessageList.js
import React from 'react';

const MessageList = React.memo(({ messages }) => {
  return (
    <ul>
      {messages.map(message => (
        <li key={message.id}>{message.text}</li>
      ))}
    </ul>
  );
});

export default MessageList;

// MessageInput.js
import React, { useState, useCallback } from 'react';

function MessageInput({ onSendMessage }) {
  const [text, setText] = useState('');

  const handleChange = useCallback((e) => {
    setText(e.target.value);
  }, []);

  const handleSubmit = useCallback((e) => {
    e.preventDefault();
    onSendMessage(text);
    setText('');
  }, [text, onSendMessage]);

  return (
    <form onSubmit={handleSubmit}>
      <input type="text" value={text} onChange={handleChange} />
      <button type="submit">Send</button>
    </form>
  );
}

export default MessageInput;

// ChatApp.js
import React, { useState } from 'react';
import MessageList from './MessageList';
import MessageInput from './MessageInput';

function ChatApp() {
  const [messages, setMessages] = useState([]);

  const handleSendMessage = (text) => {
    setMessages([...messages, { id: messages.length, text }]);
  };

  return (
    <div>
      <MessageList messages={messages} />
      <MessageInput onSendMessage={handleSendMessage} />
    </div>
  );
}

export default ChatApp;
Enter fullscreen mode Exit fullscreen mode
  • Consistent Styling: Use a consistent approach for styling your components. This could be CSS modules, styled-components, or another method that works for your team.

    Example: In a corporate website, use CSS modules to ensure that styles are scoped to individual components, preventing style conflicts. Alternatively, use a library like styled-components to create consistent, reusable styles across the application.

// ProfileHeader.module.css
.header {
  font-size: 2em;
  color: blue;
}

// ProfileHeader.js
import React from 'react';
import styles from './ProfileHeader.module.css';

function ProfileHeader({ name }) {
  return <h1 className={styles.header}>{name}'s Profile</h1>;
}

export default ProfileHeader;

// Profile.js
import React from 'react';
import ProfileHeader from './ProfileHeader';

function Profile({ user }) {
  return (
    <div>
      <ProfileHeader name={user.name} />
      {/* Other components */}
    </div>
  );
}

export default Profile;
Enter fullscreen mode Exit fullscreen mode

By following these best practices, you can create React components that are easy to use, maintain, and scale.

Conclusion

By mastering the fundamentals of component design in React, you'll be ready to create scalable, efficient, and maintainable web applications. Components are the building blocks of React, and understanding how to effectively use and combine them is crucial. Remember to follow best practices, such as keeping components small, using props and state wisely, and optimizing performance. With these skills, you'll be able to build advanced user interfaces easily. You can now research more about it online. If you'd like, you can connect with me on Twitter. Happy coding!

Thank you for Reading :)

Top comments (0)