1 | import { useState, useEffect, useCallback } from 'react';
|
---|
2 | // @mui
|
---|
3 | import Collapse from '@mui/material/Collapse';
|
---|
4 | // routes
|
---|
5 | import { usePathname } from 'src/routes/hooks';
|
---|
6 | import { useActiveLink } from 'src/routes/hooks/use-active-link';
|
---|
7 | //
|
---|
8 | import { NavListProps, NavConfigProps } from '../types';
|
---|
9 | import NavItem from './nav-item';
|
---|
10 |
|
---|
11 | // ----------------------------------------------------------------------
|
---|
12 |
|
---|
13 | type NavListRootProps = {
|
---|
14 | data: NavListProps;
|
---|
15 | depth: number;
|
---|
16 | hasChild: boolean;
|
---|
17 | config: NavConfigProps;
|
---|
18 | };
|
---|
19 |
|
---|
20 | export default function NavList({ data, depth, hasChild, config }: NavListRootProps) {
|
---|
21 | const pathname = usePathname();
|
---|
22 |
|
---|
23 | const active = useActiveLink(data.path, hasChild);
|
---|
24 |
|
---|
25 | const externalLink = data.path.includes('http');
|
---|
26 |
|
---|
27 | const [open, setOpen] = useState(active);
|
---|
28 |
|
---|
29 | useEffect(() => {
|
---|
30 | if (!active) {
|
---|
31 | handleClose();
|
---|
32 | }
|
---|
33 | // eslint-disable-next-line react-hooks/exhaustive-deps
|
---|
34 | }, [pathname]);
|
---|
35 |
|
---|
36 | const handleToggle = useCallback(() => {
|
---|
37 | setOpen((prev) => !prev);
|
---|
38 | }, []);
|
---|
39 |
|
---|
40 | const handleClose = useCallback(() => {
|
---|
41 | setOpen(false);
|
---|
42 | }, []);
|
---|
43 |
|
---|
44 | return (
|
---|
45 | <>
|
---|
46 | <NavItem
|
---|
47 | item={data}
|
---|
48 | depth={depth}
|
---|
49 | open={open}
|
---|
50 | active={active}
|
---|
51 | externalLink={externalLink}
|
---|
52 | onClick={handleToggle}
|
---|
53 | config={config}
|
---|
54 | />
|
---|
55 |
|
---|
56 | {hasChild && (
|
---|
57 | <Collapse in={open} unmountOnExit>
|
---|
58 | <NavSubList data={data.children} depth={depth} config={config} />
|
---|
59 | </Collapse>
|
---|
60 | )}
|
---|
61 | </>
|
---|
62 | );
|
---|
63 | }
|
---|
64 |
|
---|
65 | // ----------------------------------------------------------------------
|
---|
66 |
|
---|
67 | type NavListSubProps = {
|
---|
68 | data: NavListProps[];
|
---|
69 | depth: number;
|
---|
70 | config: NavConfigProps;
|
---|
71 | };
|
---|
72 |
|
---|
73 | function NavSubList({ data, depth, config }: NavListSubProps) {
|
---|
74 | return (
|
---|
75 | <>
|
---|
76 | {data.map((list) => (
|
---|
77 | <NavList
|
---|
78 | key={list.title + list.path}
|
---|
79 | data={list}
|
---|
80 | depth={depth + 1}
|
---|
81 | hasChild={!!list.children}
|
---|
82 | config={config}
|
---|
83 | />
|
---|
84 | ))}
|
---|
85 | </>
|
---|
86 | );
|
---|
87 | }
|
---|