React
React
2. Run the following commands to check if Node and npm are installed: node -v
npm -v
1. Navigate to Your Project Folder: In your terminal, navigate to the folder where you
want to create the project.
In Terminal-
cd path/to/your/folder
2. Create the Project: Now, run this command to set up a new React app using Vite.
In Terminal-
npm create vite@latest my-react-app -------------- template react
- `my-react-app` is the name of your project folder (you can change it to anything
you like).
5. Start the Development Server: Once the setup is complete, start your
development server.
In Terminal-
npm run dev
6. Open the App in Your Browser: You should see a message in the terminal with a local
URL (usually `http://localhost:5173`). Open this URL in your browser to see your new
React app running!
Step 3: Understand the Project Structure
Let’s look at the most important files in your new project:
- index.html: This file is in the `public` folder and is the single HTML file that React uses.
There’s only one HTML file because React is a single-page application (SPA) framework.
- src/main.jsx: This is the entry point for your React app. Here, React’s core library and
the `App` component are connected to the `index.html` file by telling React where to
render the app.
import React from 'react';
import ReactDOM from 'react-dom/client'; import
App from './App';
ReactDOM.createRoot(document.getElementById('root')).render(
<React.StrictMode>
<App />
</React.StrictMode>
);
- `ReactDOM.createRoot` tells React where to render the app—in this case, it’s the `root`
element in `index.html`.
- src/App.jsx: This is the main React component of the app. Here’s what a simple
`App` component might look like:
function App() { return (
<div>
<h1>Hello, React!</h1>
<p>This is my first React app.</p>
</div>
);
}
export default App;
- package.json: This file manages the project’s dependencies (like React) and scripts (like
`npm run dev`).
Conclusion
After following these steps, you have a working React environment ready for development!
This setup gives you everything you need to start creating components, managing state, and
adding interactivity in your React app. In the next section, we’ll dive deeper into creating and
styling components.
2. Creating Components and Styling
What
In React, a component is like a building block. Each component represents a part of the
UI, like a button, a header, or a section of content. React apps are often built using many
small, reusable components.
Why
Components help you split your UI into independent, manageable pieces. By reusing
components, you keep your code organized and make it easy to maintain. Styling these
components is equally important, as it makes your app visually appealing and enhances the
user experience.
How
We’ll create and style a simple React component. Along the way, we’ll explore different
styling methods: inline styles, CSS files, and CSS modules.
Step 1: Create a Simple Component
1.1. Create a New Component File: Inside the `src` folder, create a new file called
`Greeting.jsx`. This file will hold a reusable component that displays a simple greeting
message.
1.2. Define the Component: In `Greeting.jsx`, write the following code: import
React from 'react';
function Greeting() {
return (
<div>
<h2>Hello, World!</h2>
<p>Welcome to your first custom React component.</p>
</div>
);
}
export default Greeting;
Here, `Greeting` is a functional component that returns a small piece of JSX, which will be
rendered on the screen.
Components in React must start with a capital letter, so `Greeting` is correct, while `greeting`
would not work.
1.3. Use the Component: Open `App.jsx` (the main component) and import
`Greeting` to use it:
import React from 'react';
import Greeting from './Greeting'; function
App() {
return (
<div>
<h1>Main App</h1>
<Greeting />
</div>
);
}
export default App;
Here, we use `<Greeting />` to include our custom `Greeting` component inside
`App`.
1.4. Run the App: If your development server is running, you should see the
`Greeting` component in the browser.
Step 2: Styling the Component
React allows for multiple ways to style components. We’ll go over a few of the most common
methods.
Method 1: Inline Styles
You can apply styles directly within your JSX using a `style` attribute. Here’s how you might
add inline styles to the `Greeting` component.
1.1 Modify `Greeting.jsx` to use inline styles: function
Greeting() {
return (
2.1. Create a CSS File: Create a file called `Greeting.css` in the same folder as
`Greeting.jsx`.
.greeting-title {
color: blue; font-
size: 24px;
}
.greeting-text {
color: gray;
}
2.3. Import the CSS File in `Greeting.jsx` and apply the classes: import
React from 'react';
import './Greeting.css'; function
Greeting() { return (
<div className="greeting-container">
<h2 className="greeting-title">Hello, World!</h2>
<p className="greeting-text">Welcome to your first custom React component.</p>
</div>
);
}
export default Greeting;
Now, the component uses classes from `Greeting.css`. CSS class names are applied with
`className` instead of `class` in JSX.
3: CSS Modules
CSS Modules are scoped locally by default, so they prevent styles from accidentally affecting
other components. This is useful in larger projects.
function Greeting() {
return (
<div className={styles.greetingContainer}>
<h2 className={styles.greetingTitle}>Hello, World!</h2>
<p className={styles.greetingText}>Welcome to your first custom React
component.</p>
</div>
);
}
export default Greeting;
Here, `styles` is an object containing all the CSS classes, scoped locally. For example,
`styles.greetingContainer` maps to the `.greeting-container` class in CSS.
Summary
Now, you have a fully functional `Greeting` component, styled in different ways:
1.2. Define the Component and Add Props: In `ProfileCard.jsx`, let’s define a component
that takes three props: `name`, `age`, and `bio`.
import React from 'react';
function ProfileCard({ name, age, bio }) { return (
<div style={{ border: '1px solid #ddd', padding: '20px', borderRadius: '8px', width:
'250px' }}>
<h2>{name}</h2>
<p>Age: {age}</p>
<p>{bio}</p>
</div>
);
}
export default ProfileCard;
Here, `ProfileCard` is a functional component that takes `name`, `age`, and `bio` as props.
We use `{name}`, `{age}`, and `{bio}` within JSX to display the values of these props.
1.3. Pass Props from the Parent Component: Now, let’s use `ProfileCard` inside
`App.jsx` and pass different data through props.
2.1. Install PropTypes: First, we need to install the `prop-types` library to use PropTypes.
npm install prop-types
2.2. Add Prop Validation in `ProfileCard.jsx`: Import `PropTypes` and define the
expected types for each prop.
3. Test Prop Validation: Now, try passing a wrong prop type (e.g., a string instead of a
number for `age`) to see PropTypes in action:
<ProfileCard name="Sam" age="twenty-five" bio="Enjoys coding and coffee." />
This will produce a console warning that the `age` prop has an invalid type (`string` instead of
`number`).
Step 3: Set Default Props (Optional)
We can also set default values for props in case they aren’t provided. This way, our component
has a fallback value.
1. Define Default Props in `ProfileCard.jsx`:
ProfileCard.defaultProps = {
bio: 'No bio available.',
};
Now, if `bio` is not passed, the component will display "No bio available." Summary
Using props and PropTypes is essential for creating flexible, reusable components in React:
Summary
In this example, we’ve covered:
• onClick: Handles button clicks.
• onMouseEnter and onMouseLeave: Track when the mouse enters or leaves an
element.
• onChange: Captures and stores user input in form elements.
Event handling allows us to make our app interactive and respond to user actions, which is a
core part of creating dynamic UIs in React. Next, we’ll explore how to display lists
dynamically using props and state.
5. Rendering Lists and Using
Hooks What
In React, **rendering lists** allows us to display multiple items dynamically by looping
through data, such as an array. **Hooks** like `useState` help manage and update data in
components, making them interactive and responsive to user actions.
Why
Dynamic lists are a fundamental part of building real applications. For example, a shopping
app may need to display a list of products, and a to-do app would display tasks. Using
`useState`, we can add interactivity, like adding, removing, or updating items in the list.
How
We’ll create a simple to-do list application where users can add and delete tasks. This will
introduce the concept of rendering lists and show how `useState` allows us to manage the list
dynamically.
Step 1: Set Up the To-Do List Component
1. Create a New Component File: Inside the `src` folder, create a file called `TodoList.jsx`.
2. Define the Component and State: In `TodoList.jsx`, define the component and set up
`useState` to manage the list of tasks.
<input
type="text"
value={newTask}
onChange={(e) => setNewTask(e.target.value)}
placeholder="Enter a new task"/>
<button onClick={handleAddTask}>Add Task</button>
</div>
);
}
export default TodoList;
- `newTask` stores the value of the input field, while `handleAddTask` updates the `tasks`
array with the new task.
- We use `[...tasks, newTask]` to create a new array with the existing tasks and the new task,
then set it as the updated list.
Step 3: Remove Tasks from the List
To make the list more interactive, let’s add a delete button for each task.
return (
<div>
<h2>To-Do List</h2>
<ul>
{tasks.map((task, index) => (
<li key={index}>
{task}
<button onClick={() => handleDeleteTask(index)}>Delete</button>
</li>
))}
</ul>
<input
type="text"
value={newTask}
onChange={(e) => setNewTask(e.target.value)}
placeholder="Enter a new task"
/>
<button onClick={handleAddTask}>Add Task</button>
</div>
);
}
- handleDeleteTask` takes the index of the task and removes it from the array by creating a
new array without that item.
- We use the `.filter()` method to create a new array that excludes the task with the matching
index, then set this updated array as the new list.
Summary
In this example, we’ve covered:
- useState: Manages the list of tasks and the input field’s value.
- map(): Loops through the `tasks` array to render each task dynamically.
- Event Handling: We add new tasks and delete existing ones based on user interactions.
Rendering lists and managing state are essential skills in React, and this example
demonstrates how to make a dynamic, interactive list. Next, we’ll move on to working with
more advanced state management techniques.
6. Using Objects and Arrays in
`useState` What
In React, `useState` isn’t limited to simple values like strings or numbers. We can also use it
to manage complex data structures like objects and arrays. This is helpful when you need to
manage a list of items or store multiple related properties together in a single component.
Why
Handling complex state with `useState` allows you to build more sophisticated components.
For instance, if you’re building a shopping cart, you might use an array to store all cart items
or an object to track a product’s details (like name, price, and quantity). Knowing how to
work with these structures helps you manage and update data effectively in your React
components.
How
We’ll build a small profile card component that allows us to manage an object’s properties,
and a list of hobbies using an array. We’ll then use `useState` to update both types of state.
Step 1: Using Objects in `useState`
Let’s start by creating a user profile component with an object that stores user details.
1. Create a New Component File: In the `src` folder, create a file called `UserProfile.jsx`.
2. Define the Component and Set Up State: In `UserProfile.jsx`, initialize `useState` with an
object to hold user details.
import React, { useState } from 'react';
function UserProfile() {
const [user, setUser] = useState({
name: 'John Doe',
age: 25,
location: 'New York',
});
const handleUpdateLocation = () => {
setUser((prevUser) => ({
...prevUser,
location: 'Los Angeles',
})) };
return (
<div>
<h2>User Profile</h2>
<p>Name: {user.name}</p>
<p>Age: {user.age}</p>
<p>Location: {user.location}</p>
<button onClick={handleUpdateLocation}>Move to Los Angeles</button>
</div>
);
}
export default UserProfile;
- We define `user` as an object containing properties: `name`, `age`, and `location`.
- The `handleUpdateLocation` function uses the updater function in `setUser` to change the
`location` property while preserving the other properties.
- We use the spread operator (`...prevUser`) to keep the existing properties intact when
updating only the `location`.
Step 2: Using Arrays in `useState`
Next, let’s add an array to manage a list of hobbies, which we’ll allow the user to add to
dynamically.
1. Extend `UserProfile.jsx` by adding an array of hobbies and allowing the user to add a new
hobby.
import React, { useState } from 'react';
function UserProfile() {
const [user, setUser] = useState({
name: 'John Doe',
age: 25,
location: 'New York',
});
return (
<div>
<h2>User Profile</h2>
<p>Name: {user.name}</p>
<p>Age: {user.age}</p>
<p>Location: {user.location}</p>
<button onClick={handleUpdateLocation}>Move to Los Angeles</button>
<h3>Hobbies</h3>
<ul>
{hobbies.map((hobby, index) => (
<li key={index}>{hobby}</li>
))}
</ul>
<button onClick={addHobby}>Add Hobby</button>
</div>
);
}
export default UserProfile;
- `hobbies` is an array of strings representing different hobbies.
- `addHobby` uses the updater function with `setHobbies` to add a new hobby. The spread
operator (`...prevHobbies`) is used to keep all existing hobbies and add a new one at the end.
Step 3: Updating Array and Object State Together
Now, let’s add an input to allow users to add custom hobbies, demonstrating how to update
both `user` (an object) and `hobbies` (an array) interactively.
1. Modify `UserProfile.jsx` to include an input field for adding a custom hobby.
<h3>Hobbies</h3>
<ul>
{hobbies.map((hobby, index) => (
<li key={index}>{hobby}</li>
))}
</ul>
<input
type="text"
value={newHobby}
onChange={(e) => setNewHobby(e.target.value)}
placeholder="Enter a new hobby"
/>
<button onClick={addHobby}>Add Hobby</button>
</div>
);
}
export default UserProfile;
-`newHobby` is a separate piece of state to track the input field’s value.
- `addHobby` checks if `newHobby` is non-empty, adds it to the `hobbies` array, and clears
the input field afterward.
Summary
In this example, we’ve learned how to:
- Use objects in `useState` to store multiple related properties.
- Use arrays in `useState` to manage lists of items.
- Use the spread operator to update only parts of an object or array while keeping the rest of
the data intact.
Understanding how to manage objects and arrays in `useState` is key to handling complex
data in React apps. Up next, we’ll explore the `useEffect` hook, which helps with side effects
like data fetching.
7. `useEffect`
Hook What
The `useEffect` hook allows you to run side effects in your components. Side effects are
actions that occur outside the React rendering process, such as data fetching, updating the
DOM, or setting up timers. `useEffect` is React’s way of performing tasks that don’t directly
affect rendering but need to happen after a component is rendered.
Why
In React, we want to keep rendering and side effects separate. `useEffect` allows us to handle
these effects at specific times in a component's lifecycle, such as when it mounts (appears on
the screen), updates (changes), or unmounts (is removed from the screen). This makes it
possible to handle complex behavior, like fetching data from an API, updating document
titles, or cleaning up resources when a component is no longer needed.
How
We’ll use `useEffect` to create a simple component that fetches and displays data from an API
when it mounts. We’ll also add an effect that updates the page title based on the data.
Step 1: Basic Use of `useEffect` for Logging:
Let’s start with a basic example to see how `useEffect` works. We’ll create a simple
component that logs a message to the console every time it renders.
1. Create a New Component File: Inside the `src` folder, create a file called `EffectDemo.jsx`.
2. Set Up the Component and Basic `useEffect` Hook: In `EffectDemo.jsx`, add a `useEffect`
hook to log a message whenever the component mounts or updates.
- `useEffect` takes a function as its first argument. This function contains the code that
should run as a side effect (in this case, logging a message).
- Without any dependencies, `useEffect` runs every time the component renders or re-
renders.
Step 2: Running `useEffect` Only Once on Component Mount
To make `useEffect` run only once when the component mounts, we can provide an empty
dependency array. This setup is common for actions that should only happen once, like
fetching data.
1. Modify `EffectDemo.jsx` to only log when the component mounts:
import React, { useEffect } from 'react';
function EffectDemo() {
useEffect(() => {
console.log('Component mounted!');
}, [] );
return (
<div>
<h2>Effect Demo</h2>
<p>Check your console for a one-time log on component mount.</p>
</div>
);
}
export default EffectDemo;
- By adding `[]` as the second argument to `useEffect`, we tell React that this effect has no
dependencies and should run only once after the initial render (when the component mounts).
- This approach is helpful for actions like fetching data when a component loads.
Step 3: Fetching Data with `useEffect`
Now let’s create a component that fetches data from an API using `useEffect`. We’ll use the
JSONPlaceholder API to fetch a list of users.
1. Update `EffectDemo.jsx`** to fetch data on mount:
import React, { useEffect, useState } from 'react';
function EffectDemo() {
const [users, setUsers] = useState([]);
useEffect(() => {
fetch('https://jsonplaceholder.typicode.com/users')
.then((response) => response.json())
.then((data) => setUsers(data))
.catch((error) => console.error('Error fetching data:', error));
}, [] );
return (
<div>
<h2>User List</h2>
<ul>
{users.map((user) => (
<li key={user.id}>{user.name}</li>
))}
</ul>
</div>
);
}
export default EffectDemo;
- We initialize `users` as an empty array and update it with the fetched data.
- `useEffect` fetches data from the API only once when the component mounts (thanks to
the empty dependency array `[]`) and use `.then()` to handle the response and update `users`
with the fetched data, which is then rendered in a list.
Step 4: Cleanup with `useEffect`
Sometimes, we need to clean up effects to prevent memory leaks. For example, if we set up a
timer or subscription, we should remove it when the component unmounts. `useEffect` allows
us to return a cleanup function that runs when the component unmounts.
1. Modify `EffectDemo.jsx` to add a timer and clear it on unmount:
import React, { useEffect, useState } from 'react';
function EffectDemo() {
const [count, setCount] = useState(0);
useEffect(() => {
const timer = setInterval(() => {
setCount((prevCount) => prevCount + 1);
}, 1000);
// Cleanup function to clear the timer
return () => {
clearInterval(timer);
console.log('Component unmounted, timer cleared');
};
}, [] );
return (
<div>
<h2>Timer</h2>
<p>Count: {count}</p>
</div>
)}
export default EffectDemo;
- Here, we use `setInterval` to increment `count` every second.
- The cleanup function (inside `return`) clears the timer when the component unmounts,
preventing memory leaks.
Summary
In this example, we’ve learned how to:
- Use `useEffect` for side effects that run on every render, only once, or when specific
dependencies change.
- Fetch data with `useEffect` and store it in state.
- Clean up effects by returning a cleanup function to prevent memory leaks.
The `useEffect` hook is crucial for handling side effects in React and is widely used for tasks
like data fetching, setting up subscriptions, and managing timers. This wraps up our
exploration of `useEffect`. Next, we’ll dive into state management using `useContext`!
9. React Router DOM
What
React Router DOM is a library used to add routing (navigation between pages) in a React
application. Instead of manually managing page changes, React Router makes it easy to
define routes and navigate between them.
Why
Routing is essential for creating multi-page applications. With React Router, you can:
- Navigate between different components (pages).
- Create dynamic routes with parameters.
- Implement navigation without reloading the page.
How
We’ll set up React Router using the modern `createBrowserRouter` and `RouterProvider`
methods.
Step 1: Install React Router DOM
1. Install the React Router DOM package:
npm install react-router-dom
Step 2: Set Up Routes Using `createBrowserRouter`
1. Create Route Components: Create the following three files in the `src` folder:
- `Home.jsx` (for the homepage)
- `About.jsx` (for the about page)
- `Contact.jsx` (for the contact page)
2. Home.jsx:
import React from 'react'; function
Home() {
return <h2>Welcome to the Home Page</h2>;
}
export default Home;
3. About.jsx:
import React from 'react'; function
About() {
return <h2>About Us</h2>;
}
export default About;
4. Contact.jsx:
import React from 'react'; function
Contact() {
return <h2>Contact Us</h2>;
}
export default Contact;
Step 3: Create Routes and Set Up `RouterProvider`
Open `App.jsx` and update it as follows:
import React from 'react';
import { createBrowserRouter, RouterProvider } from 'react-router-dom'; import
Home from './Home';
import About from './About';
import Contact from './Contact';
const router = createBrowserRouter([
{
path: '/',
element: <Home />,
},
{
path: '/about',
element: <About />,
},
{
path: '/contact',
element: <Contact />,
},
]);
function App() {
return <RouterProvider router={router} />;
}
function FetchData() {
const [users, setUsers] = useState([]);
const [loading, setLoading] = useState(true);
const [error, setError] = useState(null);
useEffect(() => {
const fetchData = async () => {
try {
const response = await axios.get('https://jsonplaceholder.typicode.com/users');
setUsers(response.data);
setLoading(false);
} catch (err) {
setError('Failed to fetch data');
setLoading(false)}}
fetchData();
}, []);
if (loading) return <p>Loading...</p>;
if (error) return <p>{error}</p>;
return (
<div>
<h2>Users</h2>
<ul>
{users.map((user) => (
<li key={user.id}>{user.name}</li>
))}
</ul>
</div>
);
}
export default FetchData;
Summary
- React Router DOM: Simplifies navigation between pages using `createBrowserRouter`
and `RouterProvider`.
- `useRef` vs `useState`: Use `useState` for rendering updates and `useRef` for mutable
values that don’t cause re-renders.
- Axios: Makes data fetching cleaner with promises and error handling.
12. Component Lifecycle, JSX, and Virtual
DOM What
Understand how React handles the lifecycle of components, JSX syntax, and the concept of
the virtual DOM. These are core ideas that make React efficient and developer-friendly.
Why
• Lifecycle methods let you control what happens at different stages of a component’s
life (e.g., when it mounts or updates).
• JSX allows you to write HTML-like syntax directly in JavaScript, making UI
development more intuitive.
• The virtual DOM optimizes updates by reducing unnecessary changes in the actual
DOM.
How
1. Lifecycle Methods in Functional Components (via Hooks)
a. React compares the virtual DOM with the real DOM and updates only the
changed parts.
b. Example:
React.memo) What
Learn about advanced hooks and techniques to optimize performance in React by avoiding
unnecessary re-renders.
Why
Optimization ensures smooth and fast applications, especially for large-scale apps with many
components.
How
1. useCallback : Prevents function re-creation on every
render. import React, { useState, useCallback } from 'react';
const Child = React.memo(({ onClick }) => {
console.log('Child rendered');
return <button onClick={onClick}>Click Me</button>;
});
function Parent() {
const [count, setCount] = useState(0);
return (
<div>
<p>Count: {count}</p>
<button onClick={() => setCount(count + 1)}>Increase Count</button>
<Child onClick={handleClick} />
</div>
);
}
export default Parent;
2. useMemo: Caches computed values for
optimization. import React, { useState, useMemo
} from 'react'; function
ExpensiveCalculation(num) {
console.log('Calculating...');
return num * 2;
}
function App() {
const [number, setNumber] = useState(1);
const [toggle, setToggle] = useState(false);
const double = useMemo(() => ExpensiveCalculation(number),
[number]); return (
<div>
<p>Double: {double}</p>
<button onClick={() => setNumber(number + 1)}>Increase</button>
<button onClick={() => setToggle(!toggle)}>Toggle</button>
</div>
);
}
What
The useReducer hook is for managing complex state transitions in React.
Why
While useState is simple, useReducer provides a structured approach for managing multiple
states or complicated logic.
How
1. Basic Example
import React, { useReducer } from
'react'; const initialState = { count: 0
};
case 'increment':
return { count: state.count + 1 };
case 'decrement':
return { count: state.count - 1 };
default:
return state;
}
}
function Counter() {
const [state, dispatch] = useReducer(reducer, initialState);
return (
<div>
<p>Count: {state.count}</p>
<button onClick={() => dispatch({ type: 'increment' })}>+</button>
<button onClick={() => dispatch({ type: 'decrement' })}>-</button>
</div>
);
}
export default Counter;
15. Custom
Hooks What
Custom hooks are functions that allow you to reuse stateful logic across components.
Why
They enable cleaner and more maintainable code by separating reusable logic from
components.
How
1. Creating a Custom Hook
import { useState, useEffect } from 'react';
function useFetch(url) {
const [data, setData] = useState(null);
const [loading, setLoading] = useState(true);
useEffect(() => {
fetch(url)
.then((response) => response.json())
.then((data) => {
setData(data);
setLoading(false);
});
}, [url]);
return (
<div>
{data.map((post) => (
<h3 key={post.id}>{post.title}</h3>
))}
</div>
);
}
export default App;
16. Custom Components and Feature
Components What
Learn to break your app into smaller, reusable components with specific features.
Why
Encourages modularity and reusability, making apps easier to scale and maintain.
How
1. Building a Feature Component
o Example: A reusable card
component. function Card({ title, description }) {
return (
<div className="card">
<h3>{title}</h3>
<p>{description}</p>
</div>
);
}
export default Card;
2. Using the Card
Component import Card
from './Card'; function
App() {
return (
<div>
<Card title="Card 1" description="This is the first card" />
<Card title="Card 2" description="This is the second card" />
</div>
);
}
<AuthProvider>
<Router>
<Routes>
<Route path="/login" element={<LoginPage />} />
<Route
path="/dashboard"
element={
<ProtectedRoute>
<Dashboard />
</ProtectedRoute>
}
/>
</Routes>
<button onClick={login}>Login</button>
<button onClick={logout}>Logout</button>
</Router>
</AuthProvider>
);
}
export default A
18. Tailwind and Daisy UI Integration
What
Use Tailwind CSS and Daisy UI to style your React app efficiently. These tools provide pre-
designed utility classes and components for responsive, clean, and professional UI designs.
Why
• Speeds up the design process with ready-to-use classes.
• Makes components more visually appealing without much effort.
How
1. Install Tailwind CSS
npm install -D tailwindcss postcss autoprefixer
npx tailwindcss init
2. Configure Tailwind
o Update tailwind.config.js to include paths to your React files.
module.exports = {
content: ['./src/**/*.{js,jsx,ts,tsx}'],
theme: {
extend: {},
},
plugins: [],
};
3. Install Daisy UI
npm install daisyui
4. Add Daisy UI to Tailwind Config
module.exports = {
plugins: [require('daisyui')],
};
5. Use Tailwind and Daisy UI Classes
Example: A styled button.
export default function App() {
return (
</button>
);
}
19. Fetch API with Daisy UI
What
Combine API data fetching with Daisy UI components to build visually appealing, functional
UIs.
Why
Helps practice integrating real-world APIs while leveraging Daisy UI for better design.
How
1. Fetch Data
o Use fetch or Axios to get API data.
import { useEffect, useState } from 'react';
function App() {
const [data, setData] = useState([]);
const [loading, setLoading] = useState(true);
useEffect(() => {
fetch('https://jsonplaceholder.typicode.com/posts')
.then((response) => response.json())
.then((data) => {
setData(data);
setLoading(false);
});
}, []);
return (
<div>
{loading ? <Spinner /> : data.map((item) => <Card key={item.id} {...item} />)}
</div>
);
}
export default App;
2. Use Daisy UI Components
o Example: Display fetched data in styled cards.
function Card({ title, body }) {
return (
<div className="card w-96 bg-base-100 shadow-xl">
<div className="card-body">
<h2 className="card-title">{title}</h2>
<p>{body}</p>
</div>
</div>
);
}
20. Deployment on Netlify
What
Deploy your React app to Netlify, a popular and beginner-friendly platform for hosting
modern web applications.
Why
Hosting allows you to share your app with the world and test it in a real environment.
How
1. Prepare Your Project
o Ensure your app is working correctly by running:
npm run build
2. Sign Up for Netlify
o Create a free account at Netlify.
3. Deploy Your App
o Drag and drop the dist or build folder into Netlify's deployment area.
4. Connect GitHub Repository
o Alternatively, link your GitHub repo to Netlify for automatic deployments on
changes.
5. Access Your Site
o Netlify will provide a live URL where your app is hosted.