JavaScript Q&A Logo
JavaScript Q&A Part of the Q&A Network

What are lifecycle methods in React components?

Asked on Sep 25, 2024

Answer

In React, lifecycle methods are special methods that allow you to hook into specific points in a component's life, such as when it mounts, updates, or unmounts. These methods are primarily used in class components.
class MyComponent extends React.Component {
            componentDidMount() {
                // Invoked immediately after a component is mounted
                console.log("Component mounted!");
            }

            componentDidUpdate(prevProps, prevState) {
                // Invoked immediately after updating occurs
                console.log("Component updated!");
            }

            componentWillUnmount() {
                // Invoked immediately before a component is unmounted and destroyed
                console.log("Component will unmount!");
            }

            render() {
                return <div>Hello, World!</div>;
            }
        }
Additional Comment:
  • The "componentDidMount" method is called once when the component is inserted into the DOM.
  • The "componentDidUpdate" method is called after the component's updates are flushed to the DOM.
  • The "componentWillUnmount" method is called right before the component is removed from the DOM.
  • These lifecycle methods are specific to class components; functional components use hooks like "useEffect" to achieve similar behavior.
✅ Answered with JavaScript best practices.
← Back to All Questions