KEMBAR78
Component (Functional & Class Based) | PDF | Method (Computer Programming) | Java Script
0% found this document useful (0 votes)
24 views15 pages

Component (Functional & Class Based)

The document provides an overview of React components, including functional, class, pure, and higher-order components, detailing their characteristics and use cases. It explains the lifecycle of components, including mounting, updating, and unmounting phases, along with relevant lifecycle methods for class components and the use of React Hooks for functional components. The document emphasizes the importance of choosing the appropriate component type based on the need for state management and lifecycle methods.

Uploaded by

Prabin Magar
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
24 views15 pages

Component (Functional & Class Based)

The document provides an overview of React components, including functional, class, pure, and higher-order components, detailing their characteristics and use cases. It explains the lifecycle of components, including mounting, updating, and unmounting phases, along with relevant lifecycle methods for class components and the use of React Hooks for functional components. The document emphasizes the importance of choosing the appropriate component type based on the need for state management and lifecycle methods.

Uploaded by

Prabin Magar
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 15

Components

 React components are independent and reusable code. They are the building blocks of any React
application. Components serve the same purpose as JavaScript functions, but work individually to return
JSX code as elements for our UI.
 Components let you split the UI into independent, reusable pieces, and think about each piece in isolation.
This page provides an introduction to the idea of compsonents. You can find a detailed component API
reference here.
 Components in React basically return a piece of JSX code that tells what should be rendered on the screen.
In React, we mainly have two types of components:
Types of React Components Discussed
1. Functional Components: Functional components are functions that takes in props and return JSX. They
do not natively have state or lifecycle methods, but this functionality can be added by implementing React
Hooks. Functional components are usually used to display information. They are easy to read, debug, and
test.
 Functional components are simply javascript functions. We can create a functional component in React by
writing a javascript function. These functions may or may not receive data as parameters.
// Functional Component Example
import React from 'react';
const HelloWorld = () => {
return (
<div>
<p>Hello World!</p>
</div>
)
}
export default HelloWorld;
Explanation: In the code above, it is a very simple component that consists of a constant variable HelloWorld
that is assigned to an arrow function which returns JSX. Functional components do not need to be arrow
functions. They can be declared with regular JavaScript functions. You can also pass in props to the function
and use them to render data in the JSX code.
These components are purely presentational and are simply represented by a function that optionally takes
props and returns a React element to be rendered to the page.
Generally, it is preferred to use functional components whenever possible because of their predictability and
conciseness. Since, they are purely presentational, their output is always the same given the same props.
You may find functional components referred to as stateless, dumb or presentational in other literature. All
these names are derived from the simple nature that functional components take on.
 Functional because they are basically functions
 Stateless because they do not hold and/or manage state
 Presentational because all they do is output UI elements
2. Class Components:
 Class components have previously been the most commonly used among the four component types. This
is because class components are able to do everything a functional component do but more. It can utilize
the main functions of React, state, props, and lifecycle methods. Unlike functional components, class
components are consist of … well, a class.
 The class components are a little more complex than the functional components. The functional
components are not aware of the other components in your program whereas the class components can
work with each other. We can pass data from one class component to other class components. We can use
JavaScript ES6 classes to create class-based components in React. Below example shows a valid class-
based component in React:
// Class Component Example
import React from 'react';
class HelloWorld extends React.Component {
render() {
return (
<div>
<p>Hello World!</p>
</div>
)
}
}
export default HelloWorld;
Class component syntax differs from functional component syntax. Class components use extends
React.Component after declaring the class HelloWorld and requires a render() method to return JSX code. In
this class component, you can declare a state, set it to a JavaScript object, and use props to be the initial state
or change the state in lifecycle methods. Some lifecycle methods are componentDidMount(),
componentDidUpdate(), and componentWillUnmount(). These are actions that a functional component cannot
perform unless they use React Hooks.
As you explore other resources, you might find class components referred to as smart, container or stateful
components.
 Class because they are basically classes
 Smart because they can contain logic
 Stateful because they can hold and/or manage local state
 Container because they usually hold/contain numerous other (mostly functional) components
Class components have a considerably larger amount of markup. Using them excessively and unnecessarily
can negatively affect performance as well as code readability, maintainability and testability.
Rendering Components
In our previous post on rendering elements in React we have seen how elements initialized with DOM tags are
rendered using ReactDOM.render() method. React is also capable of rendering user-defined components. To
render a component in React we can initialize an element with a user-defined component and pass this
element as the first parameter to ReactDOM.render() or directly pass the component as the first argument to
the ReactDOM.render() method.
Below syntax shows how to initialize a component to an element:
const elementName = <ComponentName />;
In the above syntax, the ComponentName is the name of the user-defined component.
Note: The name of a component should always start with a capital letter. This is done to differentiate a
component tag with html tags.
Below example renders a component named Welcome to the screen:
Open your index.js file from your project directory, and make the given below changes:
src index.js:
import React from 'react';
import ReactDOM from 'react-dom';
// This is a functional component
const Welcome=()=> {
return <h1>Hello World!</h1>
}

ReactDOM.render(<Welcome />, document.getElementById("root"));


How do I choose which component type to use?
Use a class component if you:
=> need to manage local state
=> need to add lifecycle methods to your component
=> need to add logic for event handlers
Otherwise, always use a functional component.
As you start out, you will not always know whether to use class or functional components. Many times, you will
realise after a while that you chose the wrong type. Do not be discouraged, making this choice gets easier as
you create more components. Until then, one helpful tip is, class components that only have markup within the
render body can safely be converted to functional components.
Element Component
An element is always gets returned by a A component can be functional or a class that optionally
component. takes input and returns an element.
The element does not have any methods. Each component has its life cycle methods.
A React element is an object representation of a A component encapsulates a DOM tree.
DOM node.
Elements are immutable i.e. once created cannot The state in a component is mutable.
be changed.
An element can be created using A component can be declared in different ways like it
React.createElement( ) with type property. can be an element class with render() method or can be
defined as a function.
We cannot use React Hooks with elements as React hooks can be used with only functional
elements are immutable. components
Elements are light, stateless and hence it is faster. It is comparatively slower than elements.
3. Pure Components
 Pure components are like better functional components. Components that only return a render function
are optimal for pure components to shine. However, you will need to understand what a pure component
does.
 Pure components are primarily used to provide optimizations. They are the simplest and fastest
components we can write. They do not depend or modify the state of variables outside its scope. Hence,
why pure components can replace simple functional components.
 But, one major difference between a regular React.Component and a React.PureComponent is that pure
components perform shallow comparisons on state change. Pure components take care
of shouldComponentUpdate() by itself. If the previous state and/or props are the same as the next, the
component is not re-rendered.
React Components are usually re-rendered when:
 setState() is called
 props values are updated
 forceUpdate() is called
But in pure components, the React components do not re-render blindly without considering the
updated state and props. Thus, if state and props are the same as the previous state and props , then the
component does not re-render. This is very useful when you do not want to re-render a certain component
while the props and state remain the same.
For example, you don’t want one component, let’s say a music player, to re-render because another
component updates, maybe when you create a playlist. You might want the music player to stay constant at
one song and not replay whenever you change a different component’s state or props. Pure components would
be very useful in these types of situations.
4. Higher-Order Components
Higher-order components (HOC) is an advanced technique in React for reusing component logic. It is not a
React component you can find in the API. It is a pattern that emerged from React’s compositional nature.
Basically, HOCs are functions that return a component(s). They are used to share logic with other components.
// HOC Exampleimport React from 'react';
import MyComponent from "./components/MyComponent";
class HelloWorld extends React.Component {
render() {
return (
<div>
{this.props.myArray.map((element) => (
<MyComponent data={element} key={element.key} />
))}
</div>
);
}
}
export default HelloWorld;
In the code above, I have a simple component that briefly describes a HOC. this.props.myArray.map((element)
=> (<MyComponent />)) is the key code snippet. This is a function that returns one or multiple components,
depending on the number of elements in the array, also known as HOC. This function takes an array, usually
from state which was retrieved from backend with fetch or from props passed down from parent component,
and maps each element in the array, transforming each element in the array into a React component.
Higher-Order Component Simple Rundown:
1. Get data from state or props (should be an array).
2. Map over that array and return a React component for each element.
Some examples of HOCs are comments. When a user creates a comment, it is saved into the backend. Then
using React, retrieves the comments with fetch and place the data in the component’s state as an array. Then
on your component that renders these comments, you would map over your comments array and transform
each comment into a comment component.
HOCs are very useful and can find use in almost every React application that wants to render multiple
components dynamically, depending on the given data.
Conclusion - A short summary of the components discussed:
 Functional Components — functions that return JSX. Can do more stuff with React Hooks.
 Class Components — classes that can manipulate state, props, and lifecycle methods.
 Pure Components — functional components that performs shouldComponentUpdate() automatically. Re-
renders only if state or props is different from previous state or props.
 Higher-Order Components — functions that return one or multiple components, depending on array
data.
Functional Components
 A React functional component is a simple JavaScript function that accepts props and returns a React
element.
 After the introduction of React Hooks, writing functional components has become the standard way of
writing React components in modern applications.
 React Hooks were introduced in React 16.816.8 – they allow you to use state without writing class
components.
A React component undergoes three different phases in its lifecycle, including mounting, updating, and
unmounting. Each phase has specific methods responsible for a particular stage in a component's lifecycle.
These methods are technically particular to class-based components and not intended for functional
components.
However, since the concept of Hooks was released in React, you can now use abstracted versions of these
lifecycle methods when you’re working with functional component state. Simply put, React Hooks are functions
that allow you to “hook into” a React state and the lifecycle features within function components.

React Lifecycle Methods in Functional Components


Lifecycle of a React component:
1. Initial Render or Mount
The mounting phase is when a new component is created and inserted into the DOM or, in other words, when
the life of a component begins. This can only happen once, and is often called “initial render.”

// Merge of componentDidMount and componentDidUpdate


useEffect(() => {
console.log(“This is mounted or updated.”);
});
In this variant of useEffect, the message will be printed when the component is mounted and every time the
component state or props is updated.
2. Update
The updating phase is when the component updates or re-renders. This reaction is triggered when the props
are updated or when the state is updated. This phase can occur multiple times, which is kind of the point of
React.

// Equivalent of componentDidMount
useEffect(() => {
console.log(“This is mounted only not updated.”);
}, []);
In this variant, the message will be printed only once in the component’s life cycle and that is after the
component is mounted.
// Merge of componentDidMount and componentDidUpdate but only for given dependency
useEffect(() => {
console.log(“This is mounted or count state updated.”);
}, [count]);
In this variant, the message will be printed when the component is mounted and every time the count state is
changed.
3. Unmount
The last phase within a component's lifecycle is the unmounting phase, when the component is removed from
the DOM.

// Equivalent of componentWillUnmount
useEffect(() => {
return () => {
console.log(“This is unmounted.”);
};
}, []);
If we don’t want any side effect to happen on component mounting or updating but only when a component is
being unmounted, then we can use this variant.
Class Components & Life Cycle
React lifecycle methods - Let’s learn more about the methods that make up each of our three phases.

React Component Lifecycle Methods – Explained with Examples


In React, components have a lifecycle that consists of different phases.
Each phase has a set of lifecycle methods that are called at specific points
in the component's lifecycle. These methods allow you to control the
component's behavior and perform specific actions at different stages of
its lifecycle.
A component's lifecycle has three main phases: the Mounting Phase, the Updating Phase, and the Unmounting
Phase.
The Mounting Phase begins when a component is first created and inserted into the DOM. The Updating Phase
occurs when a component's state or props change. And the Unmounting Phase occurs when a component is
removed from the DOM.
Component Mounting Phase
The mounting phase refers to the period when a component is being created and inserted into the DOM.
During this phase, several lifecycle methods are invoked by React to enable the developer to configure the
component, set up any necessary state or event listeners, and perform other initialization tasks.
The mounting phase has three main lifecycle methods that are called in order:
The constructor() lifecycle method
The constructor() method is called when the component is first created. You use it to initialize the component's
state and bind methods to the component's instance. Here's an example:
import React, { Component } from 'react';

class Counter extends Component {


constructor(props) {
super(props);
this.state = {
count: 0
};
this.handleClick = this.handleClick.bind(this);
}

handleClick() {
this.setState(prevState => ({
count: prevState.count + 1
}));
}

render() {
return (
<div>
<p>Count: {this.state.count}</p>
<button onClick={this.handleClick}>Increment</button>
</div>
);
}
}

export default Counter;


In this example, the constructor() method sets the initial state of the component to an object with
a count property set to 0, and binds the handleClick method to the component's instance.
The handleClick method increments the count state property when the button is clicked.
The render() lifecycle method
The render() method is responsible for generating the component's virtual DOM representation based on its
current props and state. It is called every time the component needs to be re-rendered, either because its
props or state have changed, or because a parent component has been re-rendered.
In the above example in the constructor part:
render() {
return (
<div>
<p>Count: {this.state.count}</p>
<button onClick={this.handleClick}>Increment</button>
</div>
);
}
}
The render method displays the current count value and a button. When the button is clicked,
the handleClick method is invoked. This triggers a state update, causing a re-render, and the updated count is
displayed.
The getDerivedStateFromProps() lifecycle method
getDerivedStateFromProps() is a lifecycle method available in React 16.3 and later versions that is invoked
during the mounting and updating phase of a component.
During the mounting phase, getDerivedStateFromProps() is called after the constructor and before render().
This method is called for every render cycle and provides an opportunity to update the component's state
based on changes in props before the initial render.
The signature of getDerivedStateFromProps() is as follows:
static getDerivedStateFromProps(props, state)
It takes two parameters:
props: The updated props for the component.
state: The current state of the component.
The method should return an object that represents the updated state of the component, or null if no state
update is necessary.
It's important to note that getDerivedStateFromProps() is a static method, which means it does not have
access to the this keyword and cannot interact with the component's instance methods or properties.
import React from 'react';
import ReactDOM from 'react-dom';
class Header extends React.Component {
constructor(props) {
super(props);
this.state = {favoritefood: "rice"};
}
componentDidMount() {
setTimeout(() => {
this.setState({favoritefood: "pizza"})
}, 1000)
}
static getDerivedStateFromProps(props, state) {
return {favoritefood: props.favfod };
}
render() {
return (
<h1>My Favorite Food is {this.state.favoritefood}</h1>
);
}
}
ReactDOM.render(<Header />, document.getElementById('root'));
This is a React component named Header that renders an <h1> element with a string that includes the value
of this.state.favoritefood.
The component has a constructor that sets the initial state of favoritefood to "rice".
The componentDidMount() method is also defined, which is called when the component is mounted in the
DOM. In this method, there's a setTimeout() function that updates the state of favoritefood to "pizza" after 1
second (1000 milliseconds).
The component also has a static getDerivedStateFromProps() method that takes props and state as arguments
and returns an object with a key of favoritefood and a value of props.favfod. This method is called during the
mounting and updating phase of the component and is used to derive the state from props.
Finally, the component's render() method returns the <h1> element with the value
of this.state.favoritefood.When the component is rendered using ReactDOM.render(), it's mounted to the
element with an ID of "root".
The componentDidMount() lifecycle method
The componentDidMount() method is called once the component has been mounted into the DOM. It is
typically used to set up any necessary event listeners or timers, perform any necessary API calls or data
fetching, and perform other initialization tasks that require access to the browser's DOM API.
Here's an example:
import React from 'react';
import ReactDOM from 'react-dom';
class Header extends React.Component {
constructor(props) {
super(props);
this.state = {favoritefood: "rice"};
}
componentDidMount() {
setTimeout(() => {
this.setState({favoritefood: "pizza"})
}, 1000)
}
render() {
return (
<h1>My Favorite Food is {this.state.favoritefood}</h1>
);
}
}

ReactDOM.render(<Header />, document.getElementById('root'));


This code defines a React component called Header that extends the React.Component class. The component
has a constructor that initializes the component state with a property called favoritefood set to the string
"rice".
The component also has a componentDidMount lifecycle method, which is called by React after the component
has been mounted (that is, inserted into the DOM). In this method, a setTimeout function is used to delay the
execution of a function that updates the favoritefood state property to "pizza" by 1 second.
Finally, the component has a render method that returns a JSX expression containing an h1 element with the
text "My Favorite Food is" and the current value of the favoritefood state property.
Component Updating Phase
This phase occurs when a component's props or state changes, and the component needs to be updated in the
DOM.
The shouldComponentUpdate() lifecycle method
The shouldComponentUpdate() method is called before a component is updated. It takes two
arguments: nextProps and nextState. This method returns a boolean value that determines whether the
component should update or not. If this method returns true, the component will update, and if it returns false,
the component will not update.
Here's an example of how to use shouldComponentUpdate():
import React, { Component } from 'react';
import ReactDOM from 'react-dom';

class Header extends Component {


constructor(props) {
super(props);
this.state = { favoriteFood: 'rice' };
}

shouldComponentUpdate(nextProps, nextState) {
// Only re-render if the favoriteFood state has changed
return this.state.favoriteFood !== nextState.favoriteFood;
}

changeFood = () => {
this.setState({ favoriteFood: 'Pizza' });
}

render() {
return (
<div>
<h1>My Favorite Food is {this.state.favoriteFood}</h1>
<button type="button" onClick={this.changeFood}>Change food</button>
</div>
);
}
}

ReactDOM.render(<Header />, document.getElementById('root'));


The above code defines a Header component that displays the user's favorite food and allows the user to
change it by clicking a button. The shouldComponentUpdate() method is implemented to only re-render the
component if the favoriteFood state has changed, which is a good way to optimize performance.
The code uses ES6 syntax to define the component class and its methods, and
imports Component from React to create the class. The ReactDOM.render() function is used to render the
Header component to the DOM.
The componentWillUpdate() lifecycle method
componentWillUpdate() is a lifecycle method in React that gets called just before a component's update cycle
starts. It receives the next prop and state as arguments and allows you to perform any necessary actions
before the component updates.
But this method is not recommended for updating the state, as it can cause an infinite loop of rendering. It is
primarily used for tasks such as making API calls, updating the DOM, or preparing the component to receive
new data. componentWillUpdate() is often used in conjunction with componentDidUpdate() to handle
component updates.
import React, { Component } from 'react';
import ReactDOM from 'react-dom';

class MyComponent extends Component {


state = {
count: 0,
};

handleClick = () => {
this.setState({ count: this.state.count + 1 });
};

componentWillUpdate(nextProps, nextState) {
if (nextState.count !== this.state.count) {
console.log(`Count is about to update from ${this.state.count} to $
{nextState.count}.`);
}
}

render() {
return (
<div>
<h1>Count: {this.state.count}</h1>
<button type="button" onClick={this.handleClick}>
Increment
</button>
</div>
);
}
}

const rootElement = document.getElementById('root');


ReactDOM.render(<MyComponent />, rootElement);
In this example, the componentWillUpdate method is called whenever the component is about to update. In
this method, we can access the nextProps and nextState arguments to check if there are any changes to the
component's state or props. If there are changes, we can perform some actions or log messages before the
update happens.
The componentDidUpdate lifecycle method
The componentDidUpdate() method is a lifecycle method in React that is called after a component has been
updated and re-rendered. It is useful for performing side effects or additional operations when the
component's props or state have changed.
Here's an example of how to use the componentDidUpdate() method:
import React, { Component } from 'react';

class ExampleComponent extends Component {


constructor(props) {
super(props);
this.state = {
count: 0
};
}

componentDidUpdate(prevProps, prevState) {
if (prevState.count !== this.state.count) {
console.log('Count has been updated:', this.state.count);
}
}

handleClick() {
this.setState(prevState => ({
count: prevState.count + 1
}));
}

render() {
return (
<div>
<p>Count: {this.state.count}</p>
<button onClick={() => this.handleClick()}>Increment</button>
</div>
);
}
}

export default ExampleComponent;


In this example, the componentDidUpdate() method is used to log a message to the console whenever
the count state has been updated. It compares the previous state (prevState.count) with the current state
(this.state.count) to check if there was a change.
Whenever the handleClick() method is called, the count state is incremented, triggering a re-render of the
component. After the re-render, componentDidUpdate() is called, and it logs the updated count value to the
console.
It's important to include a conditional check inside componentDidUpdate() to prevent infinite loops. If you want
to update the state based on a prop change, make sure to compare the previous prop (prevProps) with the
current prop (this.props) before updating the state.
Remember that componentDidUpdate() is not called during the initial render of the component, only on
subsequent updates.
As of React 16.3, the componentDidUpdate() method can receive two additional
arguments: prevProps and prevState. These arguments provide access to the previous props and state values,
which can be useful for performing comparisons.

But if you are using a more recent version of React, you can utilize the useEffect() hook with dependency array
to achieve similar functionality.
The getSnapshotBeforeUpdate lifecycle method
The getSnapshotBeforeUpdate() method is called just before the component's UI is updated. It allows the
component to capture some information about the current state of the UI, such as the scroll position before it
changes. This method returns a value that is passed as the third parameter to
the componentDidUpdate() method.
Here's an example of how to use getSnapshotBeforeUpdate() to capture the scroll position of a component
before it updates:
import React from 'react';
import ReactDOM from 'react-dom';

class Header extends React.Component {


constructor(props) {
super(props);
this.state = {favoritefood: "rice"};
}
componentDidMount() {
setTimeout(() => {
this.setState({favoritefood: "pizza"})
}, 1000)
}
getSnapshotBeforeUpdate(prevProps, prevState) {
document.getElementById("div1").innerHTML =
"Before the update, the favorite was " + prevState.favoritefood;
}
componentDidUpdate() {
document.getElementById("div2").innerHTML =
"The updated favorite food is " + this.state.favoritefood;
}
render() {
return (
<div>
<h1>My Favorite Food is {this.state.favoritefood}</h1>
<div id="div1"></div>
<div id="div2"></div>
</div>
);
}
}

ReactDOM.render(<Header />, document.getElementById('root'));


This is a React component called Header that renders a heading and a button that, when clicked, shows the
user's favorite food. The component also has a state that keeps track of the favorite food and whether or not
to show it.
The constructor method sets the component's initial state, including the default favorite food of "rice" and
the showFavFood state variable to false.
The componentDidMount method is called after the component has been mounted to the DOM. In this case, it
sets a timeout that will change the favorite food to "pizza" after one second.
The getSnapshotBeforeUpdate method is called right before the component is updated. It checks if
the favoriteFood state variable has changed since the last update and returns an object with the previous
favorite food if it has. Otherwise, it returns null.
The componentDidUpdate method is called after the component has been updated. It receives the previous
props, state, and snapshot as arguments. In this case, it checks if the snapshot is not null and logs the
previous favorite food to the console.
In the render method, the component renders a heading that displays the current favorite food state variable.
When the button is clicked, the showFavFood state variable is set to true and a paragraph is rendered that
displays the current favorite food state variable.
Finally, the ReactDOM.render function is called to render the Header component inside an HTML element with
the id of "root".
Component Unmounting Phase
The unmounting phase refers to the lifecycle stage when a component is being removed from the DOM
(Document Object Model) and is no longer rendered or accessible.
During this phase, React performs a series of cleanup operations to ensure that the component and its
associated resources are properly disposed of.
The unmounting phase is the last stage in the lifecycle of a React component and occurs when the component
is being removed from the DOM tree.
This can happen for various reasons, such as when the component is no longer needed, the parent component
is re-rendered without including the child component, or when the application is navigating to a different page
or view.
The componentWillUnmount() lifecycle method
During the unmounting phase, React calls the following lifecycle methods in order:
 componentWillUnmount(): This method is called just before the component is removed from the DOM. It
allows you to perform any necessary cleanup, such as canceling timers, removing event listeners, or
clearing any data structures that were set up during the mounting phase.
 After componentWillUnmount() is called, the component is removed from the DOM and all of its state and
props are destroyed.
It's important to note that once a component is unmounted, it cannot be mounted again. If you need to render
the component again, you will need to create a new instance of it.
Here's an example of how you might use the componentWillUnmount() method to perform cleanup:
import React, { Component } from 'react';
import ReactDOM from 'react-dom';

class MyComponent extends Component {


state = {
showChild: true,
};

handleDelete = () => {
this.setState({ showChild: false });
};

render() {
const { showChild } = this.state;

return (
<div>
{showChild && <Child />}
<button type="button" onClick={this.handleDelete}>
Delete Header
</button>
</div>
);
}
}

class Child extends Component {


componentWillUnmount() {
alert('The component named Child is about to be unmounted.');
}

render() {
return <h1>Hello World!</h1>;
}
}

const rootElement = document.getElementById('root');


ReactDOM.render(<MyComponent />, rootElement);
This is a React component that renders a MyComponent with a Child component that will be conditionally
rendered based on the value of showChild state.
When the user clicks the "Delete Header" button, the handleDelete function will be called which will update
the showChild state to false. This causes the Child component to unmount and trigger
the componentWillUnmount lifecycle method, which will display an alert message.
The MyComponent class extends the Component class provided by React and defines a state
variable showChild with an initial value of true. It also defines a function handleDelete that will be called when
the user clicks the "Delete Header" button. This function updates the showChild state to false.
In the render method of MyComponent, the showChild state is used to conditionally render
the Child component using the logical && operator. If showChild is true, the Child component will be rendered.
Otherwise, it will not be rendered.
The Child class extends the Component class and defines a componentWillUnmount method that will be called
just before the component is unmounted. In this case, it displays an alert message.
Finally, the ReactDOM.render method is called to render the MyComponent component inside the element with
the ID "root" in the HTML document.
React Functional Components vs. Class Components
Introduction to component
 a component represent the part of user interface
 component are reusable and can be used in anywhere in user interface
Functional Component or Stateless Component:
 It is simple javascript functions that simply returns html UI
 It is also called “stateless” components because they simply accept data and display them in some form
that is they are mainly responsible for rendering UI.
 It accept properties(props) in function and return html(JSX)
 It gives solution without using state
 There is no render method used in functional components.
 These can be typically defined using arrow functions but can also be created with the regular function
keyword.
Class Component or Stateful Component
 It is regular ES6 classes that extends component class form react library
 Also known as “stateful” components because they implement logic and state.
 It must have render() method returning html
 It has complex UI Logic
 You pass props to class components and access them with this.props

You might also like