I was wondering if there is a way to nest routes in react in that Navbar
is to become the parent component of dashboard and properties
JavaScript
x
15
15
1
<Router>
2
<Routes>
3
<Route path='/' element={<Home />} />
4
<Route path='/login' element={<Login />} />
5
<Route path='/signup' element={<Signup />} />
6
<div>
7
<Navbar />
8
<div>
9
<Route path='/dashboard' element={<Dashboard />} />
10
<Route path='/properties' element={<Dashboard />} />
11
</div>
12
</div>
13
</Routes>
14
</Router>
15
Just like you would do in Vue router
JavaScript
1
22
22
1
const routes = [
2
{
3
path: '/user/:id',
4
component: User,
5
children: [
6
{
7
// UserProfile will be rendered inside User's <router-view>
8
// when /user/:id/profile is matched
9
path: 'profile',
10
component: UserProfile,
11
},
12
{
13
// UserPosts will be rendered inside User's <router-view>
14
// when /user/:id/posts is matched
15
path: 'posts',
16
component: UserPosts,
17
},
18
],
19
},
20
]
21
22
Advertisement
Answer
Yes, create a layout route that renders the Navbar
component and an Outlet
for nested routes.
Example:
JavaScript
1
11
11
1
import { Outlet } from 'react-router-dom';
2
3
const NavbarLayout = () => (
4
<>
5
<Navbar />
6
<Outlet />
7
</>
8
);
9
10
export default NavbarLayout;
11
…
JavaScript
1
16
16
1
import NavbarLayout from '../path/to/NavbarLayout';
2
3
4
5
<Router>
6
<Routes>
7
<Route path='/' element={<Home />} />
8
<Route path='/login' element={<Login />} />
9
<Route path='/signup' element={<Signup />} />
10
<Route element={<NavbarLayout />}>
11
<Route path='/dashboard' element={<Dashboard />} />
12
<Route path='/properties' element={<Dashboard />} />
13
</Route>
14
</Routes>
15
</Router>
16
If you wanted to achieve the same thing using a routes config object:
JavaScript
1
28
28
1
const appRoutes = [
2
{
3
path: "/",
4
element: <Home />,
5
},
6
{
7
path: "/login",
8
element: <Login />,
9
},
10
{
11
path: "/signup",
12
element: <Signup />,
13
},
14
{
15
element: <NavbarLayout />,
16
children: [
17
{
18
path: "/dashboard",
19
element: <Dashboard />,
20
},
21
{
22
path: "/properties",
23
element: <Dashboard />,
24
},
25
],
26
},
27
];
28
…
JavaScript
1
15
15
1
import { useRoutes } from 'react-router-dom';
2
import appRoutes from '../path/to/appRoutes';
3
4
5
6
const routes = useRoutes(appRoutes);
7
8
9
10
return (
11
12
{routes}
13
14
);
15
Documentation: