DEV Community

Abhinav Singh
Abhinav Singh

Posted on • Originally published at imabhinav.dev

React as a Library and Create React App / Vite as Frameworks

React stands out as one of the most popular libraries for building user interfaces. However, when it comes to scaffolding a new project, developers often turn to tools like Create React App (CRA) or Vite. While React is a library focused on the view layer, CRA and Vite act as frameworks, providing the necessary tooling and conventions to streamline the development process. This article explores the distinction between React as a library and Create React App or Vite as frameworks, elucidating their roles, benefits, and examples.

React: The Library

React is a JavaScript library developed by Facebook for building user interfaces, particularly single-page applications. Its core philosophy is centered around components—reusable, independent pieces of UI. React's primary job is to render UI components and manage their state efficiently.

Description

Key Features of React

  1. Component-Based Architecture:
    React encourages developers to build applications using components. Each component represents a part of the user interface and can manage its own state and lifecycle.

  2. Virtual DOM:
    React uses a virtual DOM to improve performance. It minimizes direct manipulation of the actual DOM by batching updates and applying the minimum number of changes.

  3. Declarative Syntax:
    React allows developers to describe what the UI should look like at any given point in time. This declarative nature makes it easier to understand and debug.

  4. Unidirectional Data Flow:
    React promotes a unidirectional data flow, which simplifies data management and makes the application state more predictable.

Example: Basic React Component

import React, { useState } from 'react';

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

  return (
    <div>
      <h1>Counter: {count}</h1>
      <button onClick={() => setCount(count + 1)}>Increment</button>
    </div>
  );
}

export default App;
Enter fullscreen mode Exit fullscreen mode

In the above example, we define a simple React component that maintains a counter state and provides a button to increment it. React's power lies in its simplicity and reusability.

Create React App and Vite: The Frameworks

While React itself is just a library, starting a new project from scratch can be cumbersome without additional tools. This is where frameworks like Create React App and Vite come into play. These tools provide a structured environment to develop React applications, handling the complexities of build configuration, asset management, and development server setup.

Create React App (CRA)

Create React App is an officially supported way to create single-page React applications. It offers a modern build setup with no configuration. Under the hood, CRA uses Webpack and Babel to bundle and transpile code.

Key Features of CRA
  1. Zero Configuration:
    CRA abstracts away the build configuration, allowing developers to focus on writing code without worrying about setup details.

  2. Development Server:
    CRA provides a development server with hot module replacement, enabling a smooth development experience.

  3. Testing Setup:
    CRA comes with a built-in testing setup using Jest, making it easier to write and run tests.

  4. Optimized Production Build:
    CRA optimizes the production build for better performance and smaller bundle sizes.

Example: Creating a New React App with CRA
npx create-react-app my-app
cd my-app
npm start
Enter fullscreen mode Exit fullscreen mode

After running these commands, CRA generates a new React application with a predefined structure and configuration. Developers can immediately start building their applications without dealing with the underlying build tools.

Vite

Vite is a next-generation front-end tooling framework that aims to provide a faster and leaner development experience. It is designed to leverage the native ES modules in the browser, allowing instant server start and fast hot module replacement.

Key Features of Vite
  1. Fast Server Start:
    Vite starts the development server instantly, even for large projects.

  2. Hot Module Replacement (HMR):
    Vite provides lightning-fast HMR, ensuring changes reflect immediately in the browser.

  3. Optimized Build:
    Vite uses Rollup for production builds, offering efficient code splitting and optimization.

  4. Flexible and Extensible:
    Vite is highly configurable and can be extended with plugins to suit different project needs.

Example: Creating a New React App with Vite
npm create vite@latest my-app --template react
cd my-app
npm install
npm run dev
Enter fullscreen mode Exit fullscreen mode

These commands create a new React application using Vite. The development server starts almost instantly, providing a seamless development experience.

Detailed Code Examples

React Component with Create React App

Let's explore a more detailed example of a React component created with Create React App. This example includes a form that captures user input and displays it dynamically.

  1. Initialize the Project
npx create-react-app user-form-app
cd user-form-app
npm start
Enter fullscreen mode Exit fullscreen mode
  1. Create a UserForm Component
// src/components/UserForm.js
import React, { useState } from 'react';

function UserForm() {
  const [name, setName] = useState('');
  const [email, setEmail] = useState('');

  const handleSubmit = (event) => {
    event.preventDefault();
    alert(`User Info: \nName: ${name}\nEmail: ${email}`);
  };

  return (
    <form onSubmit={handleSubmit}>
      <div>
        <label>Name:</label>
        <input
          type="text"
          value={name}
          onChange={(e) => setName(e.target.value)}
        />
      </div>
      <div>
        <label>Email:</label>
        <input
          type="email"
          value={email}
          onChange={(e) => setEmail(e.target.value)}
        />
      </div>
      <button type="submit">Submit</button>
    </form>
  );
}

export default UserForm;
Enter fullscreen mode Exit fullscreen mode
  1. Use the UserForm Component in App
// src/App.js
import React from 'react';
import UserForm from './components/UserForm';

function App() {
  return (
    <div>
      <h1>User Form</h1>
      <UserForm />
    </div>
  );
}

export default App;
Enter fullscreen mode Exit fullscreen mode

In this example, Create React App handles the project setup, allowing us to focus on developing the components and functionality.

React Component with Vite

Now, let's create a similar example using Vite.

  1. Initialize the Project
npm create vite@latest user-form-app --template react
cd user-form-app
npm install
npm run dev
Enter fullscreen mode Exit fullscreen mode
  1. Create a UserForm Component
// src/components/UserForm.jsx
import React, { useState } from 'react';

function UserForm() {
  const [name, setName] = useState('');
  const [email, setEmail] = useState('');

  const handleSubmit = (event) => {
    event.preventDefault();
    alert(`User Info: \nName: ${name}\nEmail: ${email}`);
  };

  return (
    <form onSubmit={handleSubmit}>
      <div>
        <label>Name:</label>
        <input
          type="text"
          value={name}
          onChange={(e) => setName(e.target.value)}
        />
      </div>
      <div>
        <label>Email:</label>
        <input
          type="email"
          value={email}
          onChange={(e) => setEmail(e.target.value)}
        />
      </div>
      <button type="submit">Submit</button>
    </form>
  );
}

export default UserForm;
Enter fullscreen mode Exit fullscreen mode
  1. Use the UserForm Component in App
// src/App.jsx
import React from 'react';
import UserForm from './components/UserForm';

function App() {
  return (
    <div>
      <h1>User Form</h1>
      <UserForm />
    </div>
  );
}

export default App;
Enter fullscreen mode Exit fullscreen mode

In this Vite example, the development server starts instantly, and changes reflect immediately due to Vite's fast HMR.

Conclusion

React, as a library, provides the fundamental building blocks for creating user interfaces through its component-based architecture, virtual DOM, and declarative syntax. However, to streamline the development process, tools like Create React App and Vite act as frameworks that offer a structured environment with build configuration, development servers, and optimization capabilities.

Create React App simplifies project setup with zero configuration, making it a great choice for developers who want a ready-to-use environment. On the other hand, Vite offers a faster, more flexible development experience, leveraging native ES modules and providing instant server start and fast HMR.

By understanding the distinction between React as a library and CRA or Vite as frameworks, developers can make informed choices about their development tools, ultimately leading to more efficient and enjoyable development experiences.

Top comments (0)