Skip to main content

Related Articles

React Hooks

React Hooks

React Hooks revolutionized the way we write components in React by providing a more concise and functional approach to managing state and side effects. In this article, we will explore the basics of React Hooks, their benefits, and how they differ from traditional class components. Whether you're new to React or an experienced developer, understanding Hooks is essential for building modern and efficient React applications.

React Hooks are functions that allow you to use state and other React features in functional components. They were introduced in React version 16.8 as a way to write reusable and stateful logic without using class components.

Prior to Hooks, stateful logic was typically managed in class components using lifecycle methods such as componentDidMount, componentDidUpdate, and componentWillUnmount. This often led to complex and hard-to-maintain code, especially when dealing with multiple lifecycle methods or sharing stateful logic between components.

With React Hooks, you can use features such as state, lifecycle methods, and context directly in functional components. Hooks provide a more straightforward and concise way to manage component logic, resulting in cleaner and more readable code.

Some of the most commonly used React Hooks include:

useState: This hook allows you to manage state within functional components. It returns a stateful value and a function to update that value. You can have multiple useState hooks in a single component, each managing its own piece of state.


import React, { useState } from 'react';

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

  const increment = () => {
    setCount(count + 1);
  };

  const decrement = () => {
    setCount(count - 1);
  };

  return (
    <div>
      <h2>Counter</h2>
      <p>Count: {count}</p>
      <button onclick="{increment}">Increment</button>
      <button onclick="{decrement}">Decrement</button>
    </div>
  );
};
export default Counter;

In this example, we have a Counter component that maintains a count state using the useState hook. Here's how it works:

We import the useState hook from the react package.

Inside the Counter component, we declare a state variable called count and its corresponding updater function, setCount, using the useState hook. The initial value of count is set to 0.

We define two functions, increment and decrement, which update the value of count using setCount. The setCount function takes a new value as an argument and triggers a re-render of the component with the updated state.

Within the component's JSX, we display the current value of count using {count}.

We attach the increment and decrement functions to the onClick event handlers of the respective buttons. Clicking these buttons will update the count state accordingly.

When the increment or decrement buttons are clicked, the state of count is updated, triggering a re-render of the component with the new value. The updated count is displayed in the UI.

Using the useState hook, we can easily manage and update state within functional components, eliminating the need for class components to handle state management.

useEffect: With this hook, you can handle side effects, such as data fetching, subscriptions, or DOM manipulations. It replaces the need for lifecycle methods like componentDidMount and componentDidUpdate. useEffect takes a function as its first parameter and runs it after the component has rendered or whenever specified dependencies change.


import React, { useState, useEffect } from 'react';

const DataFetchingExample = () => {
  const [data, setData] = useState(null);
  const [isLoading, setIsLoading] = useState(true);

  useEffect(() => {
    // Simulating an API call with setTimeout
    const fetchData = () => {
      setTimeout(() => {
        fetch('https://api.example.com/data')
          .then(response => response.json())
          .then(data => {
            setData(data);
            setIsLoading(false);
          })
          .catch(error => {
            console.error('Error fetching data:', error);
            setIsLoading(false);
          });
      }, 2000);
    };

    fetchData();

    // Cleanup function
    return () => {
      // Perform any necessary cleanup here
    };
  }, []);

  return (
    <div>
      {isLoading ? (
        <p>Loading...</p>
      ) : (
        <div>
          <h2>Data</h2>
          {data ? (
            <ul>
              {data.map(item => (
                <li key={item.id}>{item.name}</li>
              ))}
            </ul>
          ) : (
            <p>No data available</p>
          )}
        </div>
      )}
    </div>
  );
};
export default DataFetchingExample;

In this example, we have a DataFetchingExample component that demonstrates fetching data from an API using the useEffect hook. Here's how it works:


We import the useEffect and useState hooks from the react package.

Inside the DataFetchingExample component, we declare two state variables: data, which will hold the fetched data, and isLoading, which indicates whether the data is being loaded or not.

The useEffect hook is used to perform the data fetching. It takes two parameters: a function that contains the side effect code, and an optional dependency array that determines when the effect should run.

Inside the effect function, we define an asynchronous fetchData function that simulates an API call using setTimeout. Upon receiving the response, we update the data state using setData and set isLoading to false to indicate that the loading is complete.

If an error occurs during the data fetching process, we log it to the console and set isLoading to false.

We call the fetchData function inside the effect to trigger the data fetching when the component mounts.

We return a cleanup function from the effect (currently empty) to perform any necessary cleanup when the component unmounts.

In the component's JSX, we conditionally render the loading state or the fetched data based on the value of isLoading. If loading, we display a loading message; otherwise, we display the fetched data as a list.

The data is mapped and rendered as list items using the map function.

When the DataFetchingExample component mounts, the useEffect hook is triggered. It initiates the data fetching process, sets the fetched data and loading state, and renders the UI accordingly. The component will re-render whenever the data or isLoading state variables change.

The useEffect hook provides a convenient way to handle side effects such as data fetching, subscriptions, or DOM manipulations in functional components. It ensures that the side effect code is executed at the appropriate times during the component's lifecycle.

useContext: This hook enables you to access the value of a context directly in a functional component. It provides a way to consume context without the need for a context consumer component.


import React, { useContext } from 'react';

// Create a context
const ThemeContext = React.createContext();

// Parent component providing the context value
const App = () => {
  const theme = 'light';

  return (
    <ThemeContext.Provider value={theme}>
      <ThemeExample />
    </ThemeContext.Provider>
  );
};
// Child component consuming the context const ThemeExample = () => { const theme = useContext(ThemeContext);
  return (
    <div>
      <h2>Theme Example</h2>
      <p>Current theme: {theme}</p>
    </div>
  );
};
export default App;

In this example, we have a ThemeContext created using the createContext function from React. Here's how it works:

We create a context using React.createContext(), which returns an object containing Provider and Consumer components. We store this context object in the variable ThemeContext.

In the App component, we define a theme variable and set it to 'light'. This value represents the context that will be provided to child components.

We wrap the ThemeExample component inside the ThemeContext.Provider component and pass the theme value as the value prop. This makes the theme value available to any child components that consume the ThemeContext.

In the ThemeExample component, we use the useContext hook to access the theme value from the ThemeContext. The useContext hook takes the ThemeContext as its argument and returns the current context value (theme in this case).

Inside the ThemeExample component's JSX, we render the current theme value using {theme}.

When the ThemeExample component is rendered within the ThemeContext.Provider, it consumes the theme value from the context using the useContext hook. It then displays the current theme value in the UI.

By utilizing the useContext hook, functional components can easily access and consume context values without the need for context consumers. This allows for a more straightforward and concise way of utilizing context in React applications.

Additionally, there are other built-in Hooks like useRef, useCallback, and useMemo, which offer specific functionalities for managing references, memoizing values, and optimizing performance.

React Hooks promote code reuse and separation of concerns by allowing you to extract and reuse stateful logic in custom Hooks. This means you can encapsulate commonly used logic and share it across multiple components, making your code more modular and maintainable.


Comments

Popular posts from this blog

The Power of ChatGPT and Whisper Models

A Deep Dive into Natural Language Processing Natural Language Processing (NLP) has seen a significant boost in recent years due to advancements in artificial intelligence and machine learning. Two models that have shown remarkable success in NLP are ChatGPT and Whisper. In this article, we will delve into the power of these models and their applications in the field of NLP. ChatGPT is a transformer-based language model developed by OpenAI that uses unsupervised learning to predict the next word in a sentence based on the context of previous words. ChatGPT is a generative model that is trained on large datasets of text, such as books and articles, and can be fine-tuned for specific tasks, such as question-answering or dialogue generation. ChatGPT is known for its ability to produce human-like text, making it an ideal tool for applications such as chatbots, content creation, and language translation. Whisper, on the other hand, is a paraphrasing model developed by Google that is based on

Angular PrimeNG checkboxes styling and events handling

  Getting Started With PrimeNG Styling in Angular App This chapter I am planning to show how you can handle events of the checkboxes. For that I will use checkbox for every card to place the order.  To use PrimeNG checkboxes you have to import checkbox module in app.module.ts file. import {CheckboxModule} from 'primeng/checkbox'; import { BrowserModule } from '@angular/platform-browser'; import { NgModule } from '@angular/core'; import { AppRoutingModule } from './app-routing.module'; import { AppComponent } from './app.component'; import { LandingComponent } from './modules/landing/landing.component'; import { HomeComponent } from './modules/home/home.component'; import { CardModule } from 'primeng/card'; import {CheckboxModule} from 'primeng/checkbox'; @NgModule({ declarations: [ AppComponent, LandingComponent, HomeComponent ], imports: [ BrowserModule, AppRoutingModule, CardModu

Angular NgFor directive and trackby

Today we will learn about NgFor one of the core directive of angular. NgFor helps to build list and tables in Angular   Let us see the example in our flower store app. In the landing page I am going to print list of flowers that are available in the store. Later we will add images and show them in a carousel to rotate automatically. First we will create the domain class called flower.ts and you can copy paste below code.  export class flower{ constructor() { } name:string=''; price:number = 0; availableQuantity:number = 0 } To use this domain class inside another component you must specify export keyword along with the class keyword. Flower domain has 3 attributes to store name of the flower then price and the available quantity. Now we can create the array from the flower type as below inside the landing.component.ts file. myFlowerList:flower[]=[]; I will call a method inside ngOnInit to add values to the array as below. ngOnInit is one of t