File size: 2,755 Bytes
1e92f2d |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 |
import * as React from 'react'
import { useOnClickOutside } from '../../hooks/use-on-click-outside'
export type DialogProps = {
children?: React.ReactNode
'aria-labelledby': string
'aria-describedby': string
className?: string
onClose?: () => void
} & React.HTMLAttributes<HTMLDivElement>
const CSS_SELECTORS_TO_EXCLUDE_ON_CLICK_OUTSIDE = [
'[data-next-mark]',
'[data-issues-open]',
'#nextjs-dev-tools-menu',
'[data-nextjs-error-overlay-nav]',
'[data-info-popover]',
'[data-nextjs-devtools-panel-overlay]',
'[data-nextjs-devtools-panel-footer]',
'[data-nextjs-error-overlay-footer]',
]
const Dialog: React.FC<DialogProps> = function Dialog({
children,
className,
onClose,
'aria-labelledby': ariaLabelledBy,
'aria-describedby': ariaDescribedBy,
...props
}) {
const dialogRef = React.useRef<HTMLDivElement | null>(null)
const [role, setRole] = React.useState<string | undefined>(
typeof document !== 'undefined' && document.hasFocus()
? 'dialog'
: undefined
)
useOnClickOutside(
dialogRef.current,
CSS_SELECTORS_TO_EXCLUDE_ON_CLICK_OUTSIDE,
(e) => {
e.preventDefault()
return onClose?.()
}
)
React.useEffect(() => {
if (dialogRef.current == null) {
return
}
function handleFocus() {
// safari will force itself as the active application when a background page triggers any sort of autofocus
// this is a workaround to only set the dialog role if the document has focus
setRole(document.hasFocus() ? 'dialog' : undefined)
}
window.addEventListener('focus', handleFocus)
window.addEventListener('blur', handleFocus)
return () => {
window.removeEventListener('focus', handleFocus)
window.removeEventListener('blur', handleFocus)
}
}, [])
React.useEffect(() => {
const dialog = dialogRef.current
const root = dialog?.getRootNode()
const initialActiveElement =
root instanceof ShadowRoot ? (root?.activeElement as HTMLElement) : null
// Trap focus within the dialog
dialog?.focus()
return () => {
// Blur first to avoid getting stuck, in case `activeElement` is missing
dialog?.blur()
// Restore focus to the previously active element
initialActiveElement?.focus()
}
}, [])
return (
<div
ref={dialogRef}
tabIndex={-1}
data-nextjs-dialog
data-nextjs-scrollable-content
role={role}
aria-labelledby={ariaLabelledBy}
aria-describedby={ariaDescribedBy}
aria-modal="true"
className={className}
onKeyDown={(e) => {
if (e.key === 'Escape') {
onClose?.()
}
}}
{...props}
>
{children}
</div>
)
}
export { Dialog }
|