Class syntax is one of the most common ways to define a React component. While more verbose than the functional syntax, it offers more control in the form of lifecycle hooks.
This guide assumes that Babel has been properly configured for React. If you are using create-react-app, this will already be the case.
Creating a class component is pretty simple; just define a class that extends Component
and has a render
function.
From there, you can use it in any other component.
You don’t have to define one component per file, but it’s probably a good idea.
As is, MyComponent
isn’t terribly useful; it will always render the same thing. Luckily, React allows props to be passed to components with a syntax similar to HTML attributes.
Props can then be accessed with this.props
.
A variable wrapped in brackets will be rendered as a string.
One of the benefits class components have over functional components is access to component state.
But since it wasn’t set anywhere, this.state
will be null, so this example isn’t really useful. Which brings us to…
Class components can define functions that will execute during the component’s lifecycle. There are a total of seven lifecycle methods: componentWillMount
, componentDidMount
, componentWillReceiveProps
, shouldComponentUpdate
, componentWillUpdate
, componentDidUpdate
, and componentWillUnmount
. For the sake of brevity, only one will be demonstrated.
this.state
should not be assigned directly. Use this.setState
, instead.
this.setState
cannot be used in render
.
Thanks for learning with the DigitalOcean Community. Check out our offerings for compute, storage, networking, and managed databases.
While we believe that this content benefits our community, we have not yet thoroughly reviewed it. If you have any suggestions for improvements, please let us know by clicking the “report an issue“ button at the bottom of the tutorial.
This textbox defaults to using Markdown to format your answer.
You can type !ref in this text area to quickly search our full set of tutorials, documentation & marketplace offerings and insert the link!
Sharing one example of React Hook with class component: import React, { Component } from “react”; class Greeting extends Component { state = { text: “”, }; handleChange = (e) => { this.setState({ text: e.target.value }); }; render() { return <input value={this.state.text} onChange={this.handleChange} />; } } export default Greeting;