Let's build a real app!
How can this be achieved?
Hooks are functions that let you "hook into" React state and lifecycle features.
import { useState } from "react"; function MyComponent() { const [color, setColor] = useState("blue"); // … }
The Hook function is called in the render function.
Depending on the Hook, it may have parameters and may provide a return value to access the provided functionality.
The eslint-plugin-react-hooks enforces these rules.
Before Hooks were introduced in 2019, features like state management required the use of class components .
With Hooks these features can be used in function components and thereby makes the code simpler and better reusable .
import { useState } from "react"; function MyComponent() { const [name, setName] = useState(""); }
// Define a name state with the initial value of ""
const [name, setName] = useState("");
// The setName function updates the state
setName("Joe");
// Alter the existing Name
setName(oldName => `Mr. ${oldName}`);
// The variable 'name' contains the current state value
return <p>Name: {name}</p>
const [name, setName] = useState("");
const [age, setAge] = useState(0);
const [meal, setMeal] = useState<Meal>();
The array destructuring makes it easy to use multiple states in a component.
The onChange prop is a function which is called when the input is changed.
<input type="text" onChange={(event) => { /* Do something */ }} />
<input type="text" onChange={(event) => { /* Do something */ }} />
<input type="text" onChange={(event) => { console.log(event.target.value); setName(event.target.value); }} />
Use event.target.value to access the value which was entered.
import { useState } from "react"; function Profile() { const [username, setUsername] = useState(""); return (<> <label htmlFor="username">Username</label> <input type="text" id="username" value={username} onChange={(e) => setUsername(e.target.value)} /> <span>{`Hello, ${username}`}</span> </>); }
import { useState } from "react"; function Profile() { const [username, setUsername] = useState(""); return (<> <label htmlFor="username">Username</label> <input type="text" id="username" value={username} onChange={(e) => setUsername(e.target.value)} /> <span>{`Hello, ${username}`}</span> </>); }
import { useState } from "react"; function Profile() { const [username, setUsername] = useState(""); return (<> <label htmlFor="username">Username</label> <input type="text" id="username" value={username} onChange={(e) => setUsername(e.target.value)} /> <span>{`Hello, ${username}`}</span> </>); }
<input type="text" onChange={(event) => { /* often just called 'e' */ console.log(event.target.value); }} />
Event handlers like onChange receive an instance of SyntheticEvent .
This is a wrapper for the native events , ensuring a consistent API and functionality across browsers.
We learned…