1
|
import { Alert, AlertColor, Snackbar } from '@mui/material'
|
2
|
import { Fragment, useEffect, useState } from 'react'
|
3
|
import { useDispatch, useSelector } from 'react-redux'
|
4
|
import { RootState } from '../redux/store'
|
5
|
import { consumeNotification } from './notificationSlice'
|
6
|
|
7
|
// Represents notification component that will be displayed on the screen
|
8
|
const Notification = () => {
|
9
|
const dispatch = useDispatch()
|
10
|
const notification = useSelector((state: RootState) => state.notification)
|
11
|
|
12
|
const [displayMessage, setDisplayMessage] = useState('')
|
13
|
const [open, setOpen] = useState(false)
|
14
|
const [severity, setSeverity] = useState<AlertColor>('info')
|
15
|
|
16
|
// Timeout controls when the notification will be hidden
|
17
|
// This must be killed should the new notification appear before the current one is close
|
18
|
const [closeTimeout, setCloseTimeout] = useState<NodeJS.Timeout | null>(
|
19
|
null
|
20
|
)
|
21
|
|
22
|
const closeNotification = () => {
|
23
|
setOpen(false)
|
24
|
if (closeTimeout) {
|
25
|
clearTimeout(closeTimeout) // clear timeout if it exists
|
26
|
setCloseTimeout(null) // and set it to null in our local state
|
27
|
}
|
28
|
}
|
29
|
|
30
|
// Set the message to be displayed if something is set
|
31
|
useEffect(() => {
|
32
|
if (notification.message) {
|
33
|
setDisplayMessage(notification.message)
|
34
|
setSeverity(notification.severity as AlertColor)
|
35
|
// Consume the message from store
|
36
|
dispatch(consumeNotification())
|
37
|
|
38
|
// Show the message in the notification
|
39
|
setOpen(true)
|
40
|
|
41
|
if (closeTimeout) {
|
42
|
clearTimeout(closeTimeout)
|
43
|
setCloseTimeout(null)
|
44
|
}
|
45
|
|
46
|
// Set the autohide duration
|
47
|
if (notification.autohideSecs !== undefined) {
|
48
|
const timeout = setTimeout(() => {
|
49
|
setOpen(false)
|
50
|
setCloseTimeout(null)
|
51
|
}, notification.autohideSecs * 1000)
|
52
|
setCloseTimeout(timeout)
|
53
|
}
|
54
|
}
|
55
|
}, [notification, dispatch, closeTimeout])
|
56
|
|
57
|
return (
|
58
|
<Fragment>
|
59
|
<Snackbar
|
60
|
open={open}
|
61
|
autoHideDuration={null}
|
62
|
anchorOrigin={{ vertical: 'bottom', horizontal: 'center' }}
|
63
|
>
|
64
|
<Alert severity={severity} onClose={closeNotification}>
|
65
|
{displayMessage}
|
66
|
</Alert>
|
67
|
</Snackbar>
|
68
|
</Fragment>
|
69
|
)
|
70
|
}
|
71
|
|
72
|
export default Notification
|