Collapsible content

React, Components, Children, State · Oct 13, 2021

Renders a component with collapsible content.

  • Use the useState() hook to create the isCollapsed state variable. Give it an initial value of collapsed.
  • Use the <button> to change the component's isCollapsed state and the content of the component, passed down via children.
  • Use isCollapsed to determine the appearance of the content and apply the appropriate className.
  • Update the value of the aria-expanded attribute based on isCollapsed to make the component accessible.
const Collapse = ({ collapsed, children }) => {
  const [isCollapsed, setIsCollapsed] = React.useState(collapsed);

  return (
    <>
      <button
        className="collapse-button"
        onClick={() => setIsCollapsed(!isCollapsed)}
      >
        {isCollapsed ? 'Show' : 'Hide'} content
      </button>
      <div
        className={`collapse-content ${isCollapsed ? 'collapsed' : 'expanded'}`}
        aria-expanded={isCollapsed}
      >
        {children}
      </div>
    </>
  );
};
.collapse-button {
  display: block;
  width: 100%;
}

.collapse-content.collapsed {
  display: none;
}

.collapsed-content.expanded {
  display: block;
}
ReactDOM.render(
  <Collapse>
    <h1>This is a collapse</h1>
    <p>Hello world!</p>
  </Collapse>,
  document.getElementById('root')
);

More like this

  • Collapsible accordion

    Renders an accordion menu with multiple collapsible content elements.

    React, Components · Oct 13, 2021

  • Expandable object tree view

    Renders a tree view of a JSON object or array with collapsible content.

    React, Components · Nov 16, 2020

  • Tabs

    Renders a tabbed menu and view component.

    React, Components · Oct 13, 2021