A Portal is a feature provided by the react-dom
package that allows rendering children into a different DOM location. This enables developers to render content outside of their component's parent element, effectively "porting" the content to another part of the page.
Why Do We Need Portals?
Here's an example of using a portal to render a popup message:
import React from 'react';
import ReactDOM from 'react-dom';
function MyComponent() {
const [isOpen, setIsOpen] = React.useState(false);
const handleClick = () => {
setIsOpen(true);
};
if (isOpen) {
return (
<>
{/* Render content in the portal */}
<MyPortal>
<div className="popup">
<p>This is a popup message.</p>
</div>
</MyPortal>
{/* Rest of your component here */}
<button onClick={handleClick}>Toggle Popup</button>
</>
);
}
return (
<button onClick={handleClick}>
Toggle Popup
</button>
);
}
// Create a portal container
const MyPortal = ({ children }) => {
const container = document.getElementById('portal');
if (!container) {
// If no container is found, create one.
container = document.createElement('div');
document.body.appendChild(container);
}
// Render the children in the portal container
return ReactDOM.createPortal(children, container);
};
// Attach a key to the portal container for improved performance
const portalContainer = document.getElementById('portal');
if (!portalContainer) {
const portalNode = document.createElement('div');
portalNode.id = 'portal';
document.body.appendChild(portalNode);
}
In this example, we create a MyPortal
component that serves as the container for our portal. We use ReactDOM.createPortal
to render the children within this container.
Use portals when:
Portals provide a powerful way to render React components anywhere in your DOM tree. They're especially useful when working with complex layouts or when you need to improve accessibility by allowing users to focus on the rendered content.
When deciding whether to use a portal, consider the specific requirements of your project and how it can benefit from rendering content outside its parent element.
import React from 'react';
import ReactDOM from 'react-dom';
function MyComponent() {
const [isOpen, setIsOpen] = React.useState(false);
const handleClick = () => {
setIsOpen(true);
};
if (isOpen) {
return (
<>
{/* Render content in the portal */}
<MyPortal>
<div className="popup">
<p>This is a popup message.</p>
</div>
</MyPortal>
{/* Rest of your component here */}
<button onClick={handleClick}>Toggle Popup</button>
</>
);
}
return (
<button onClick={handleClick}>
Toggle Popup
</button>
);
}
In this example, we use the portal to render a popup message when the user clicks the toggle button.
document.getElementById
.