Modal
Modal allows prompting users to take or complete an action.
Basic Usage
To implement the Modal component, you need to import it first:
import {
  Modal,
  ModalBody,
  ModalCloseButton,
  ModalContent,
  ModalFooter,
  ModalHeader,
  ModalTitle,
} from '@react-ui-org/react-ui';And use it:
React.createElement(() => {
  const [modalOpen, setModalOpen] = React.useState(false);
  const modalPrimaryButtonRef = React.useRef();
  const modalCloseButtonRef = React.useRef();
  {/*
    The `preventScrollUnderneath` feature is necessary for Modals to work in
    React UI docs. You may not need it in your application.
  */}
  return (
    <GlobalPropsProvider globalProps={{
      Modal: { preventScrollUnderneath: window.document.documentElement }
    }}>
      <Button
        label="Launch modal"
        onClick={() => setModalOpen(true)}
      />
      <div>
        {modalOpen && (
          <Modal
            closeButtonRef={modalCloseButtonRef}
            primaryButtonRef={modalPrimaryButtonRef}
          >
            <ModalHeader>
              <ModalTitle>Delete the user?</ModalTitle>
              <ModalCloseButton onClick={() => setModalOpen(false)} />
            </ModalHeader>
            <ModalBody>
              <ModalContent>
                <p>
                  Do you really want to delete the user <code>admin</code>?
                  This cannot be undone.
                </p>
              </ModalContent>
            </ModalBody>
            <ModalFooter>
              <Button
                color="danger"
                label="Delete"
                onClick={() => setModalOpen(false)}
                ref={modalPrimaryButtonRef}
              />
              <Button
                label="Close"
                onClick={() => setModalOpen(false)}
                priority="outline"
                ref={modalCloseButtonRef}
              />
            </ModalFooter>
          </Modal>
        )}
      </div>
    </GlobalPropsProvider>
  );
});See API for all available options.
General Guidelines
- 
Use modals to confirm an action, display a blocking alert, or reveal contextual options or settings that cannot be displayed in line with the parent content. 
- 
The title should communicate the purpose of the modal rather than a generic text. For example “Delete the user?” tells more than “Are you sure?” or “Warning”. 
- 
Modal actions should correspond to the modal purpose, too. E.g. “Delete” tells better what happens rather than “OK”. 
- 
While native <dialog>(that is used under the hood) can be present in DOM, modal is a more feature-rich component that provides more control over the modal behavior and shall be removed from DOM when closed.
- 
Modal automatically focuses the first non-disabled form field by default. When no field is found then the primary button (in the footer) is focused. To turn this feature off, set the autofocusprop tofalse.
- 
Modal submits the form when the user presses the Enterkey . A click is programmatically triggered on the primary button in this case. To turn this feature off, set theallowPrimaryActionOnEnterKeyprop tofalse.
- 
Modal closes when the user presses the Escapekey. A click is programmatically triggered on the close button in this case. To turn this feature off, set theallowCloseOnEscapeKeyprop tofalse. Modal can be also closed by clicking on the backdrop. To turn this feature off, set theallowCloseOnBackdropClickprop tofalse.
- 
Avoid stacking of modals. While it may technically work, the modal is just not designed for that. 
Composition
Modal is decomposed into the following components:
- Modal- ModalHeader- ModalTitle
- ModalCloseButton
 
- ModalBody- ModalContent (may be wrapped with ScrollView)
 
- ModalFooter
 
- ModalHeader
Using different combinations, you can compose different kinds of modals, e.g. dialog modal, modal with form, blocking modal, scrollable modal, etc.
ModalHeader
ModalHeader is an optional part of the Modal which allows you to display the title of the modal and its close button.
It is recommended to compose ModalHeader from the following elements. For title, use ModalTitle. For the close button, use ModalCloseButton, however it can be omitted if a close button is part of ModalFooter.
There are two ways how to position elements within the ModalHeader:
- You can use provided positioning. Place previously mentioned elements into
   the ModalHeader and use justifyprop to set up the positioning of those elements.
- You can customize positioning using another component (e.g.
   Toolbar). In that case, set justifytostretchand position elements on your own.
React.createElement(() => {
  const [modalOpen, setModalOpen] = React.useState(false);
  const [variant, setVariant] = React.useState(null);
  const modalPrimaryButtonRef = React.useRef();
  const modalCloseButtonRef = React.useRef();
  {/*
    The `preventScrollUnderneath` feature is necessary for Modals to work in
    React UI docs. You may not need it in your application.
  */}
  return (
    <GlobalPropsProvider globalProps={{
      Modal: { preventScrollUnderneath: window.document.documentElement }
    }}>
      <Button
        label="Launch with close button"
        onClick={() => {
          setModalOpen(true);
          setVariant(1);
        }}
      />
      <Button
        label="Launch without close button"
        onClick={() => {
          setModalOpen(true);
          setVariant(2);
        }}
      />
      <Button
        label="Launch without close button and with centered title"
        onClick={() => {
          setModalOpen(true);
          setVariant(3);
        }}
      />
      <Button
        label="Launch with custom layout"
        onClick={() => {
          setModalOpen(true);
          setVariant(4);
        }}
      />
      <div>
        {modalOpen && (
          <Modal
            closeButtonRef={modalCloseButtonRef}
            primaryButtonRef={modalPrimaryButtonRef}
          >
            {variant === 1 && (
              <ModalHeader>
                <ModalTitle>Delete the user?</ModalTitle>
                <ModalCloseButton onClick={() => setModalOpen(false)} />
              </ModalHeader>
            )}
            {variant === 2 && (
              <ModalHeader>
                <ModalTitle>Delete the user?</ModalTitle>
              </ModalHeader>
            )}
            {variant === 3 && (
              <ModalHeader justify="center">
                <ModalTitle>Delete the user?</ModalTitle>
              </ModalHeader>
            )}
            {variant === 4 && (
              <ModalHeader justify="stretch">
                <Toolbar justify="space-between">
                  <ToolbarItem>
                    {''}
                  </ToolbarItem>
                  <ToolbarItem>
                    <ModalTitle>Delete the user?</ModalTitle>
                  </ToolbarItem>
                  <ToolbarItem>
                    <ModalCloseButton onClick={() => setModalOpen(false)} />
                  </ToolbarItem>
                </Toolbar>
              </ModalHeader>
            )}
            <ModalBody>
              <ModalContent>
                <p>
                  Do you really want to delete the user <code>admin</code>?
                  This cannot be undone.
                </p>
              </ModalContent>
            </ModalBody>
            <ModalFooter>
              <Button
                color="danger"
                label="Delete"
                onClick={() => setModalOpen(false)}
                ref={modalPrimaryButtonRef}
              />
              <Button
                label="Close"
                onClick={() => setModalOpen(false)}
                priority="outline"
                ref={modalCloseButtonRef}
              />
            </ModalFooter>
          </Modal>
        )}
      </div>
    </GlobalPropsProvider>
  );
});ModalBody
ModalBody is a mandatory part of the Modal which allows you to display the content of the Modal.
Although the ModalBody allows you to display arbitrary content, you should not place content directly into the ModalBody, but wrap it with ModalContent first.
In case your content is expected to be long, consider wrapping ModalContent with ScrollView. Check Scrolling Long Content section below.
ModalFooter
ModalFooter is an optional part of the Modal which allows you to display user actions.
There are two ways to position buttons within the ModalFooter:
- You can use provided positioning. Place Button component (or any arbitrary
   element) and use justifyprop to set up the positioning of those elements.
- You can customize positioning using another component (e.g.
   Toolbar). In that case, set justifytostretchand position elements on your own.
React.createElement(() => {
  const [modalOpen, setModalOpen] = React.useState(false);
  const [modalJustify, setModalJustify] = React.useState('center');
  const modalPrimaryButtonRef = React.useRef();
  const modalCloseButtonRef = React.useRef();
  {/*
    The `preventScrollUnderneath` feature is necessary for Modals to work in
    React UI docs. You may not need it in your application.
  */}
  return (
    <GlobalPropsProvider globalProps={{
      Modal: { preventScrollUnderneath: window.document.documentElement }
    }}>
      <Button
        label="Launch modal with footer variants"
        onClick={() => setModalOpen(true)}
      />
      <div>
        {modalOpen && (
          <Modal
            closeButtonRef={modalCloseButtonRef}
            primaryButtonRef={modalPrimaryButtonRef}
          >
            <ModalHeader>
              <ModalTitle>Footer justification</ModalTitle>
              <ModalCloseButton onClick={() => setModalOpen(false)} />
            </ModalHeader>
            <ModalBody>
              <ModalContent>
                <Radio
                  label="Footer justification"
                  onChange={(e) => setModalJustify(e.target.value)}
                  options={[
                    {
                      label: 'start',
                      value: 'start',
                    },
                    {
                      label: 'center',
                      value: 'center',
                    },
                    {
                      label: 'end',
                      value: 'end',
                    },
                    {
                      label: 'space-between',
                      value: 'space-between',
                    },
                    {
                      label: 'stretch (with a custom layout)',
                      value: 'stretch',
                    },
                  ]}
                  value={modalJustify}
                />
              </ModalContent>
            </ModalBody>
            <ModalFooter justify={modalJustify}>
              {
                modalJustify === 'stretch'
                  ? (
                    <Toolbar justify="space-between">
                        <ToolbarGroup>
                          <ToolbarItem>
                            <Button
                              color="danger"
                              label="Delete"
                              onClick={() => setModalOpen(false)}
                              ref={modalPrimaryButtonRef}
                            />
                          </ToolbarItem>
                          <ToolbarItem>
                            <Button
                              color="warning"
                              label="Archive"
                              onClick={() => setModalOpen(false)}
                              ref={modalPrimaryButtonRef}
                            />
                          </ToolbarItem>
                        </ToolbarGroup>
                      <ToolbarItem>
                        <Button
                          color="secondary"
                          label="Close"
                          onClick={() => setModalOpen(false)}
                          priority="outline"
                          ref={modalCloseButtonRef}
                        />
                      </ToolbarItem>
                    </Toolbar>
                  ) : (
                    <>
                      <Button
                        label="OK"
                        onClick={() => setModalOpen(false)}
                        ref={modalPrimaryButtonRef}
                      />
                      <Button
                        color="secondary"
                        label="Close"
                        onClick={() => setModalOpen(false)}
                        priority="outline"
                        ref={modalCloseButtonRef}
                      />
                    </>
                  )
              }
            </ModalFooter>
          </Modal>
        )}
      </div>
    </GlobalPropsProvider>
  );
});Sizes
Modal is available in three fixed-width sizes: small, medium, large and fullscreen. Modals of any size automatically shrink when they cannot fit the screen width.
React.createElement(() => {
  const [modalOpen, setModalOpen] = React.useState(false);
  const [modalSize, setModalSize] = React.useState('small');
  const modalPrimaryButtonRef = React.useRef();
  const modalCloseButtonRef = React.useRef();
  {/*
    The `preventScrollUnderneath` feature is necessary for Modals to work in
    React UI docs. You may not need it in your application.
  */}
  return (
    <GlobalPropsProvider globalProps={{
      Modal: { preventScrollUnderneath: window.document.documentElement }
    }}>
      <Button
        label="Launch small modal"
        onClick={() => {
          setModalSize('small');
          setModalOpen(true);
        }}
      />
      <Button
        label="Launch medium modal"
        onClick={() => {
          setModalSize('medium');
          setModalOpen(true);
        }}
      />
      <Button
        label="Launch large modal"
        onClick={() => {
          setModalSize('large');
          setModalOpen(true);
        }}
      />
      <Button
        label="Launch fullscreen modal"
        onClick={() => {
          setModalSize('fullscreen');
          setModalOpen(true);
        }}
      />
      <div>
        {modalOpen && (
          <Modal
            closeButtonRef={modalCloseButtonRef}
            primaryButtonRef={modalPrimaryButtonRef}
            size={modalSize}
          >
            <ModalHeader>
              <ModalTitle>Delete the user?</ModalTitle>
              <ModalCloseButton onClick={() => setModalOpen(false)} />
            </ModalHeader>
            <ModalBody>
              <ModalContent>
                <p>
                  Do you really want to delete the user <code>admin</code>?
                  This cannot be undone.
                </p>
              </ModalContent>
            </ModalBody>
            <ModalFooter>
              <Button
                color="danger"
                label="Delete"
                onClick={() => setModalOpen(false)}
                ref={modalPrimaryButtonRef}
              />
              <Button
                label="Close"
                onClick={() => setModalOpen(false)}
                priority="outline"
                ref={modalCloseButtonRef}
              />
            </ModalFooter>
          </Modal>
        )}
      </div>
    </GlobalPropsProvider>
  );
});On top of that, the modal can adjust to the width of its content.
React.createElement(() => {
  const [modalOpen, setModalOpen] = React.useState(false);
  const modalPrimaryButtonRef = React.useRef();
  const modalCloseButtonRef = React.useRef();
  {/*
    The `preventScrollUnderneath` feature is necessary for Modals to work in
    React UI docs. You may not need it in your application.
  */}
  return (
    <GlobalPropsProvider globalProps={{
      Modal: { preventScrollUnderneath: window.document.documentElement }
    }}>
      <Button
        label="Launch auto-width modal"
        onClick={() => setModalOpen(true)}
      />
      <div>
        {modalOpen && (
          <Modal
            closeButtonRef={modalCloseButtonRef}
            primaryButtonRef={modalPrimaryButtonRef}
            size="auto"
          >
            <ModalHeader>
              <ModalTitle>Delete the user?</ModalTitle>
              <ModalCloseButton onClick={() => setModalOpen(false)} />
            </ModalHeader>
            <ModalBody>
              <ModalContent>
                <p>
                  Do you really want to delete the user <code>admin</code>?
                  This cannot be undone.
                </p>
              </ModalContent>
            </ModalBody>
            <ModalFooter>
              <Button
                color="danger"
                label="Delete"
                onClick={() => setModalOpen(false)}
                ref={modalPrimaryButtonRef}
              />
              <Button
                label="Close"
                onClick={() => setModalOpen(false)}
                priority="outline"
                ref={modalCloseButtonRef}
              />
            </ModalFooter>
          </Modal>
        )}
      </div>
    </GlobalPropsProvider>
  );
});👉 Please note the auto width may not function correctly in combination with other auto-layout mechanisms, e.g. the auto-width FormLayout. It's just too much magic that doesn't work together (yet?) 🎩.
👉 Beware of horizontal FormLayout inside small modals. While automatic
overflow handling comes to the rescue in this kind of scenario, you will be
better off with the combination of auto-sized modal and horizontal FormLayout
with a fixed label width (i.e. any other than auto, see the previous note).
React.createElement(() => {
  const [modalOpen, setModalOpen] = React.useState(false);
  const modalPrimaryButtonRef = React.useRef();
  const modalCloseButtonRef = React.useRef();
  {/*
    The `preventScrollUnderneath` feature is necessary for Modals to work in
    React UI docs. You may not need it in your application.
  */}
  return (
    <GlobalPropsProvider globalProps={{
      Modal: { preventScrollUnderneath: window.document.documentElement }
    }}>
      <Button
        label="Launch auto-with modal with a form"
        onClick={() => setModalOpen(true)}
      />
      <div>
        {modalOpen && (
          <Modal
            closeButtonRef={modalCloseButtonRef}
            primaryButtonRef={modalPrimaryButtonRef}
            size="auto"
          >
            <ModalHeader>
              <ModalTitle>Form inside modal</ModalTitle>
              <ModalCloseButton onClick={() => setModalOpen(false)} />
            </ModalHeader>
            <ModalBody>
              <ModalContent>
                <FormLayout fieldLayout="horizontal">
                  <TextField label="A form element" />
                  <TextField label="Another form element" />
                  <TextField label="Yet another one" />
                </FormLayout>
              </ModalContent>
            </ModalBody>
            <ModalFooter>
              <Button
                color="primary"
                label="Save"
                onClick={() => setModalOpen(false)}
                ref={modalPrimaryButtonRef}
              />
              <Button
                label="Cancel"
                onClick={() => setModalOpen(false)}
                priority="outline"
                ref={modalCloseButtonRef}
              />
            </ModalFooter>
          </Modal>
        )}
      </div>
    </GlobalPropsProvider>
  );
});Position
Modal can be aligned either to the top or center of the screen.
React.createElement(() => {
  const [modalOpen, setModalOpen] = React.useState(false);
  const [modalPosition, setModalPosition] = React.useState('center');
  const modalPrimaryButtonRef = React.useRef();
  const modalCloseButtonRef = React.useRef();
  {/*
    The `preventScrollUnderneath` feature is necessary for Modals to work in
    React UI docs. You may not need it in your application.
  */}
  return (
    <GlobalPropsProvider globalProps={{
      Modal: { preventScrollUnderneath: window.document.documentElement }
    }}>
      <Button
        label="Launch modal at center"
        onClick={() => {
          setModalPosition('center');
          setModalOpen(true);
        }}
      />
      <Button
        label="Launch modal at top"
        onClick={() => {
          setModalPosition('top');
          setModalOpen(true);
        }}
      />
      <div>
        {modalOpen && (
          <Modal
            closeButtonRef={modalCloseButtonRef}
            position={modalPosition}
            primaryButtonRef={modalPrimaryButtonRef}
          >
            <ModalHeader>
              <ModalTitle>Delete the user?</ModalTitle>
              <ModalCloseButton onClick={() => setModalOpen(false)} />
            </ModalHeader>
            <ModalBody>
              <ModalContent>
                <p>
                  Do you really want to delete the user <code>admin</code>?
                  This cannot be undone.
                </p>
              </ModalContent>
            </ModalBody>
            <ModalFooter>
              <Button
                color="danger"
                label="Delete"
                onClick={() => setModalOpen(false)}
                ref={modalPrimaryButtonRef}
              />
              <Button
                label="Close"
                onClick={() => setModalOpen(false)}
                priority="outline"
                ref={modalCloseButtonRef}
              />
            </ModalFooter>
          </Modal>
        )}
      </div>
    </GlobalPropsProvider>
  );
});Color Variants
Modal can be colored using the color prop. The color prop implements the
Feedback color collection
and is applied to the border of the modal and the modal footer.
React.createElement(() => {
  const [modalOpen, setModalOpen] = React.useState(false);
  const [modalColor, setModalColor] = React.useState('success');
  const modalCloseButtonRef = React.useRef();
  {/*
    The `preventScrollUnderneath` feature is necessary for Modals to work in
    React UI docs. You may not need it in your application.
  */}
  return (
    <GlobalPropsProvider globalProps={{
      Modal: { preventScrollUnderneath: window.document.documentElement }
    }}>
      <Button
        label="Launch modal with color options"
        onClick={() => setModalOpen(true)}
      />
      <div>
        {modalOpen && (
          <Modal
            closeButtonRef={modalCloseButtonRef}
            color={modalColor}
          >
            <ModalHeader>
              <ModalTitle>Modal color</ModalTitle>
              <ModalCloseButton onClick={() => setModalOpen(false)} />
            </ModalHeader>
            <ModalBody>
              <ModalContent>
                <Radio
                  label="Modal color"
                  onChange={(e) => setModalColor(e.target.value)}
                  options={[
                    {
                      label: 'success',
                      value: 'success',
                    },
                    {
                      label: 'warning',
                      value: 'warning',
                    },
                    {
                      label: 'danger',
                      value: 'danger',
                    },
                    {
                      label: 'info',
                      value: 'info',
                    },
                    {
                      label: 'help',
                      value: 'help',
                    },
                    {
                      label: 'note',
                      value: 'note',
                    },
                  ]}
                  value={modalColor}
                />
              </ModalContent>
            </ModalBody>
            <ModalFooter>
              <Button
                color={modalColor}
                label="Close"
                onClick={() => setModalOpen(false)}
                ref={modalCloseButtonRef}
              />
            </ModalFooter>
          </Modal>
        )}
      </div>
    </GlobalPropsProvider>
  );
});Mouse and Keyboard Control
Modal can be controlled either by mouse or keyboard. To enhance user
experience, primary action can be fired by pressing Enter key and
the modal can be closed by pressing the Escape key. Modal can be
also closed by clicking on the backdrop.
To enable it, you just need to pass a reference to the buttons using
primaryButtonRef and closeButtonRef props on Modal. The advantage
of passing a reference to the button is that if the button is disabled,
the key press or the mouse click will not fire the event.
As primaryButtonRef and closeButtonRef are used for more than just
actions mentioned above, you can explicitly disable the default behavior
by changing allowCloseOnBackdropClick, allowCloseOnEscapeKey or
allowPrimaryActionOnEnterKey to false.
👉 We strongly recommend using this feature together with Autofocus for a better user experience.
Autofocus
Autofocus is implemented to enhance the user experience by automatically focussing an element within the modal.
How does it work? It tries to find input, textarea, and select elements
inside of Modal and moves focus onto the first non-disabled one. If none is
found and the primaryButtonRef prop on Modal is set, then the primary button
is focused.
Autofocus is enabled by default, so if you want to control the focus of
elements manually, set the autoFocus prop on Modal to false.
Use Cases
Interaction blocking
Modal can be used to block user interaction while an action is being performed.
React.createElement(() => {
  const [modalOpen, setModalOpen] = React.useState(null);
  const modalPrimaryButtonRef = React.useRef();
  const modalCloseButtonRef = React.useRef();
  {/*
    The `preventScrollUnderneath` feature is necessary for Modals to work in
    React UI docs. You may not need it in your application.
  */}
  return (
    <GlobalPropsProvider globalProps={{
      Modal: { preventScrollUnderneath: window.document.documentElement }
    }}>
      <Button
        label="Launch blocking modal without title"
        onClick={() => {
          setModalOpen(1);
          setTimeout(() => setModalOpen(null), 2500);
        }}
      />
      <Button
        label="Launch blocking modal with title"
        onClick={() => {
          setModalOpen(2);
          setTimeout(() => setModalOpen(null), 3500);
        }}
      />
      <div>
        {modalOpen === 1 && (
          <Modal>
            <ModalBody>
              <ModalContent>
                <p className="text-center">
                  Application is being loaded.
                  <span className="d-inline-flex align-items-center animation-spin-counterclockwise">
                    <rui-icon icon="loading" />
                  </span>
                </p>
              </ModalContent>
            </ModalBody>
          </Modal>
        )}
        {modalOpen === 2 && (
          <Modal>
            <ModalHeader>
              <ModalTitle>Action finished</ModalTitle>
            </ModalHeader>
            <ModalBody>
              <ModalContent>
                <p>
                  Action has been successfully finished.
                  You will be redirected within a few seconds.
                </p>
              </ModalContent>
            </ModalBody>
          </Modal>
        )}
      </div>
    </GlobalPropsProvider>
  );
});Forms
Modal can be used to display forms. It is recommended to use FormLayout component to layout form fields.
While we support only controlled components, and we encourage you to use them, it is possible to use native form and its functionality inside the modal. This might be useful when you need to use native form features like validation, submission, etc.
To do so, you need to set allowPrimaryActionOnEnterKey to false and remove
onClick from the primary button. Then, you need to set form attribute on the
primary button to the id of the form to connect it with the form.
React.createElement(() => {
  const [modalOpen, setModalOpen] = React.useState(null);
  const modalPrimaryButtonRef = React.useRef();
  const modalCloseButtonRef = React.useRef();
  {/*
    The `preventScrollUnderneath` feature is necessary for Modals to work in
    React UI docs. You may not need it in your application.
  */}
  return (
    <GlobalPropsProvider globalProps={{
      Modal: { preventScrollUnderneath: window.document.documentElement }
    }}>
      <Button
        label="Launch modal as form"
        onClick={() => setModalOpen(1)}
      />
      <Button
        label="Launch modal as native form"
        onClick={() => setModalOpen(2)}
      />
      <div>
        {modalOpen === 1 && (
          <Modal
            closeButtonRef={modalCloseButtonRef}
            primaryButtonRef={modalPrimaryButtonRef}
          >
            <ModalHeader>
              <ModalTitle>Add new user</ModalTitle>
              <ModalCloseButton onClick={() => setModalOpen(false)} />
            </ModalHeader>
            <ModalBody>
              <ModalContent>
                <FormLayout fieldLayout="horizontal" labelWidth="limited">
                  <Toggle
                    label="Enabled"
                  />
                  <TextField label="Username" required />
                  <TextField label="Password" type="password" />
                  <CheckboxField label="Force password on login" />
                  <Radio
                    label="Type of collaboration"
                    options={[
                      { label: 'Internal', value: 'internal'},
                      { label: 'External', value: 'external'},
                    ]}
                  />
                  <SelectField
                    label="Role"
                    options={[
                      { label: 'Programmer', value: 'programmer' },
                      { label: 'Team leader', value: 'team-leader' },
                      { label: 'Project manager', value: 'project-manager' },
                    ]}
                  />
                  <FileInputField label="Photo" onFilesChanged={() => {}} />
                  <TextArea
                    label="Additional info"
                    helpText={<p>Enter key is used for new line,<br />so <strong>Enter won't submit the form</strong>.</p>}
                  />
                </FormLayout>
              </ModalContent>
            </ModalBody>
            <ModalFooter>
              <Button
                label="Save"
                onClick={() => setModalOpen(false)}
                ref={modalPrimaryButtonRef}
              />
              <Button
                label="Close"
                onClick={() => setModalOpen(false)}
                priority="outline"
                ref={modalCloseButtonRef}
              />
            </ModalFooter>
          </Modal>
        )}
        {modalOpen === 2 && (
          <Modal
            allowPrimaryActionOnEnterKey={false}
            closeButtonRef={modalCloseButtonRef}
            onCancel={(e) => {
                console.log('cancel', e);
            }}
            onClose={(e) => {
                console.log('close', e);
            }}
            primaryButtonRef={modalPrimaryButtonRef}
          >
            <ModalHeader>
              <ModalTitle>Add new user using native form</ModalTitle>
              <ModalCloseButton onClick={() => setModalOpen(false)} />
            </ModalHeader>
            <ModalBody>
              <ModalContent>
                <form method="dialog" id="native-form">
                  <FormLayout fieldLayout="horizontal" labelWidth="limited">
                    <Toggle
                      label="Enabled"
                    />
                    <TextField label="Username" required />
                    <TextField label="Password" type="password" />
                    <CheckboxField label="Force password on login" />
                    <Radio
                      label="Type of collaboration"
                      options={[
                        { label: 'Internal', value: 'internal'},
                        { label: 'External', value: 'external'},
                      ]}
                    />
                    <SelectField
                      label="Role"
                      options={[
                        { label: 'Programmer', value: 'programmer' },
                        { label: 'Team leader', value: 'team-leader' },
                        { label: 'Project manager', value: 'project-manager' },
                      ]}
                    />
                    <FileInputField label="Photo" />
                    <TextArea
                      label="Additional info"
                      helpText={<p>Enter key is used for new line,<br />so <strong>Enter won't submit the form</strong>.</p>}
                    />
                  </FormLayout>
                </form>
              </ModalContent>
            </ModalBody>
            <ModalFooter>
              <Button
                form="native-form"
                label="Save"
                ref={modalPrimaryButtonRef}
                type="submit"
              />
              <Button
                label="Close"
                onClick={() => setModalOpen(false)}
                priority="outline"
                ref={modalCloseButtonRef}
              />
            </ModalFooter>
          </Modal>
        )}
      </div>
    </GlobalPropsProvider>
  );
});Scrolling Long Content
When modals become too long for the user's viewport or device, they scroll
independent of the page itself. This can be done in three ways using the
scrolling option of the ModalBody component:
- auto(default) — ModalBody is responsible for scrolling,
- custom— you must provide a custom component to handle scrolling, typically an instance of ScrollView wrapping ModalContent,
- none— entire Modal is responsible for scrolling.
React.createElement(() => {
  const [modalOpen, setModalOpen] = React.useState(false);
  const [modalScrolling, setModalScrolling] = React.useState('auto');
  const modalCloseButtonRef = React.useRef();
  const modalPrimaryButtonRef = React.useRef();
  const modalContent = (
    <ModalContent>
      <p>
        Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Aenean
        commodo ligula eget dolor. Aenean massa.
      </p>
      <p>
        Cum sociis natoque penatibus et magnis dis parturient montes,
        nascetur ridiculus mus. Donec quam felis, ultricies nec,
        pellentesque eu, pretium quis, sem.
      </p>
      <p>
        Nulla consequat massa quis enim. Donec pede justo, fringilla
        vel, aliquet nec, vulputate eget, arcu. In enim justo, rhoncus
        ut, imperdiet a, venenatis vitae, justo.
      </p>
      <p>
        Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Aenean
        commodo ligula eget dolor. Aenean massa.
      </p>
      <p>
        Cum sociis natoque penatibus et magnis dis parturient montes,
        nascetur ridiculus mus. Donec quam felis, ultricies nec,
        pellentesque eu, pretium quis, sem.
      </p>
      <p>
        Nulla consequat massa quis enim. Donec pede justo, fringilla
        vel, aliquet nec, vulputate eget, arcu. In enim justo, rhoncus
        ut, imperdiet a, venenatis vitae, justo.
      </p>
      <p>
        Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Aenean
        commodo ligula eget dolor. Aenean massa.
      </p>
      <p>
        Cum sociis natoque penatibus et magnis dis parturient montes,
        nascetur ridiculus mus. Donec quam felis, ultricies nec,
        pellentesque eu, pretium quis, sem.
      </p>
      <p>
        Nulla consequat massa quis enim. Donec pede justo, fringilla
        vel, aliquet nec, vulputate eget, arcu. In enim justo, rhoncus
        ut, imperdiet a, venenatis vitae, justo.
      </p>
      <p>
        Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Aenean
        commodo ligula eget dolor. Aenean massa.
      </p>
      <p>
        Cum sociis natoque penatibus et magnis dis parturient montes,
        nascetur ridiculus mus. Donec quam felis, ultricies nec,
        pellentesque eu, pretium quis, sem.
      </p>
      <p>
        Nulla consequat massa quis enim. Donec pede justo, fringilla
        vel, aliquet nec, vulputate eget, arcu. In enim justo, rhoncus
        ut, imperdiet a, venenatis vitae, justo.
      </p>
      <p>
        Lorem ipsum dolor sit amet, consectetuer adipiscing elit. Aenean
        commodo ligula eget dolor. Aenean massa.
      </p>
      <p>
        Cum sociis natoque penatibus et magnis dis parturient montes,
        nascetur ridiculus mus. Donec quam felis, ultricies nec,
        pellentesque eu, pretium quis, sem.
      </p>
      <p>
        Nulla consequat massa quis enim. Donec pede justo, fringilla
        vel, aliquet nec, vulputate eget, arcu. In enim justo, rhoncus
        ut, imperdiet a, venenatis vitae, justo.
      </p>
    </ModalContent>
  );
  {/*
    The `preventScrollUnderneath` feature is necessary for Modals to work in
    React UI docs. You may not need it in your application.
  */}
  return (
    <GlobalPropsProvider globalProps={{
      Modal: { preventScrollUnderneath: window.document.documentElement }
    }}>
      <Button
        label="Launch modal with scrolling body"
        onClick={() => {
          setModalScrolling('auto');
          setModalOpen(true);
        }}
      />
      <Button
        label="Launch modal with ScrollView"
        onClick={() => {
          setModalScrolling('custom');
          setModalOpen(true);
        }}
      />
      <Button
        label="Launch modal with non-scrolling body"
        onClick={() => {
          setModalScrolling('none');
          setModalOpen(true);
        }}
      />
      <div>
        {modalOpen && (
          <Modal
            autoFocus={false}
            closeButtonRef={modalCloseButtonRef}
            primaryButtonRef={modalPrimaryButtonRef}
            size="small"
          >
            <ModalHeader>
              <ModalTitle>Modal with long content</ModalTitle>
              <ModalCloseButton onClick={() => setModalOpen(false)} />
            </ModalHeader>
            <ModalBody scrolling={modalScrolling}>
              {
                modalScrolling === 'custom'
                  ? (
                    <ScrollView>
                      {modalContent}
                    </ScrollView>
                  )
                  : modalContent
              }
            </ModalBody>
            <ModalFooter>
              <Button
                label="OK"
                onClick={() => setModalOpen(false)}
                ref={modalPrimaryButtonRef}
              />
              <Button
                label="Close"
                onClick={() => setModalOpen(false)}
                priority="outline"
                ref={modalCloseButtonRef}
              />
            </ModalFooter>
          </Modal>
        )}
      </div>
    </GlobalPropsProvider>
  );
});Long Content and Autofocus
👉 If you wrap ModalContent with ScrollView, you may want to turn autoFocus
off to prevent the modal from scrolling to the end immediately after being
opened.
Forwarding HTML Attributes
In addition to the options below in the component's API section, you
can specify any HTML attribute you like. All attributes that don't
interfere with the API of the React component and that aren't filtered out by
transferProps helper are forwarded to:
- the <dialog>HTML element in case of theModalcomponent.
- the root <div>HTML element in case ofModalHeader,ModalBody,ModalContentandModalFootercomponents.
- the heading (e.g. <h1>) HTML element in case of theModalTitlecomponent.
- the native HTML <button>in case of theModalCloseButtoncomponent.
This enables making the component interactive and helps to improve its accessibility.
👉 For the full list of supported attributes refer to:
- <dialog>HTML element attributes
- <div>HTML element attributes
- <h1>-- <h6>HTML element attributes
- <button>HTML element attributes
- React common props
API
ModalHeader
ModalTitle
ModalCloseButton
ModalBody
ModalContent
ModalFooter
Theming
| Custom Property | Description | 
|---|---|
| --rui-Modal__padding-x | Inline padding of individual modal components | 
| --rui-Modal__padding-y | Block padding of individual modal components | 
| --rui-Modal__background | Modal background (including url()or gradient) | 
| --rui-Modal__box-shadow | Modal box shadow | 
| --rui-Modal__separator__width | Width of separator between modal header, body, and footer | 
| --rui-Modal__separator__color | Color of separator between modal header, body, and footer | 
| --rui-Modal__outer-spacing-xs | Spacing around modal, xsscreen size | 
| --rui-Modal__outer-spacing-sm | Spacing around modal, smscreen size and bigger | 
| --rui-Modal__header__gap | Modal header gap between children | 
| --rui-Modal__footer__background | Modal footer background (including url()or gradient) | 
| --rui-Modal__footer__gap | Modal footer gap between children | 
| --rui-Modal__backdrop__background | Modal backdrop background (including url()or gradient) | 
| --rui-Modal--auto__min-width | Min width of auto-sized modal (when enough screen estate) | 
| --rui-Modal--auto__max-width | Max width of auto-sized modal (when enough screen estate) | 
| --rui-Modal--small__width | Width of small modal | 
| --rui-Modal--medium__width | Width of medium modal | 
| --rui-Modal--large__width | Width of large modal | 
| --rui-Modal--fullscreen__width | Width of fullscreen modal | 
| --rui-Modal--fullscreen__height | Height of fullscreen modal | 
| --rui-Modal__animation__duration | Duration of animation used (when opening modal) | 
Theming Variants
It's possible to adjust the theme of specific color variant. Naming convention looks as follows:
--rui-Modal--<COLOR>__<PROPERTY>
Where:
- <COLOR>is a value from supported color collections (check color variants and API to see which collections are supported),
- <PROPERTY>is one of- border-coloror- background-color.