Controlled and uncontrolled components are fundamental concepts in React that help manage state and input values.
A controlled component is a type of React component where the value of an input field is controlled by the parent component. This means that the parent component manages the state of the input field, and the child component (the input field) receives updates from the parent.
Here's a step-by-step explanation:
import React, { useState } from 'react';
function MyInput() {
const [value, setValue] = useState('');
return (
<input
type="text"
value={value}
onChange={(e) => setValue(e.target.value)}
placeholder="Enter your name"
/>
);
}
export default function App() {
const [name, setName] = useState('');
return (
<div>
<MyInput value={name} onChange={(value) => setName(value)} />
<p>Hello, {name}!</p>
</div>
);
}
What is an Uncontrolled Component?
An uncontrolled component is a type of React component where the value of an input field is managed by the DOM itself. This means that the parent component does not manage the state of the input field, and the child component (the input field) updates its own internal state.
Here's a step-by-step explanation:
ref
or other methods.import React, { useRef } from 'react';
function MyInput() {
const inputRef = useRef(null);
return (
<input type="text" ref={inputRef} placeholder="Enter your name" />
);
}
export default function App() {
const [name, setName] = useState('');
return (
<div>
<MyInput />
<p>Hello, {name}!</p>
</div>
);
}
In summary, controlled components are managed by their parents, while uncontrolled components manage themselves. Understanding the difference between these two types of components will help you make informed decisions about how to structure your React applications.