In React, there are two primary categories of components: Functional Components and Class Components.
Explanation of Key Concepts
Key Differences
this.state
property to store and update state.componentDidMount
, componentWillUnmount
) that allow them to perform actions at specific points in a component's life cycle.Step-by-Step Solution
To illustrate the difference:
import React from 'react';
function Hello(props) {
return <div>Hello, {props.name}!</div>;
}
const App = () => {
return (
<div>
<Hello name="Alice" />
</div>
);
};
In this example:
Hello
is a functional component that takes props and returns JSX.import React, { useState } from 'react';
class Counter extends React.Component {
constructor(props) {
super(props);
this.state = { count: 0 };
}
render() {
return (
<div>
<p>Count: {this.state.count}</p>
<button onClick={() =>
this.setState({ count: this.state.count + 1 })}>
Increment
</button>
</div>
);
}
}
In this example:
Counter
is a class component that maintains its own state and has lifecycle methods.Example
Here's an example that demonstrates the use of both functional and class components:
import React from 'react';
function Button(props) {
return <button onClick={props.onClick}>{props.children}</button>;
}
class Counter extends React.Component {
constructor(props) {
super(props);
this.state = { count: 0 };
}
render() {
return (
<div>
<Button
onClick={() => this.setState({ count: this.state.count + 1 })}>
Increment
</Button>
</div>
);
}
}
In this example:
Button
is a functional component that takes props and returns JSX.Counter
is a class component that uses the Button
component.Conclusion
To summarize, Functional Components are suitable for simple, stateless components, while Class Components are better suited for managing state and complex lifecycle behaviors. Understanding when to use each type of component will help you write more efficient and maintainable React code.