Skip to content

Commit 34d0350

Browse files
authoredJan 29, 2025··
feat(react-router): add remountDeps (#3269)
1 parent e030e68 commit 34d0350

File tree

13 files changed

+427
-60
lines changed

13 files changed

+427
-60
lines changed
 

‎docs/eslint/create-route-property-order.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -17,7 +17,7 @@ The correct property order is as follows
1717
- `context`
1818
- `beforeLoad`
1919
- `loader`
20-
- `onEnter`, `onStay`, `onLeave`, `meta`, `links`, `scripts`, `headers`
20+
- `onEnter`, `onStay`, `onLeave`, `meta`, `links`, `scripts`, `headers`, `remountDeps`
2121

2222
All other properties are insensitive to the order as they do not depend on type inference.
2323

‎docs/framework/react/api/router/RouteOptionsType.md

+32
Original file line numberDiff line numberDiff line change
@@ -266,3 +266,35 @@ type loaderDeps = (opts: { search: TFullSearchSchema }) => Record<string, any>
266266
- Type: `(error: Error, errorInfo: ErrorInfo) => void`
267267
- Optional - Defaults to `routerOptions.defaultOnCatch`
268268
- A function that will be called when errors are caught when the route encounters an error.
269+
270+
### `remountDeps` method
271+
272+
- Type:
273+
274+
```tsx
275+
type remountDeps = (opts: RemountDepsOptions) => any
276+
277+
interface RemountDepsOptions<
278+
in out TRouteId,
279+
in out TFullSearchSchema,
280+
in out TAllParams,
281+
in out TLoaderDeps,
282+
> {
283+
routeId: TRouteId
284+
search: TFullSearchSchema
285+
params: TAllParams
286+
loaderDeps: TLoaderDeps
287+
}
288+
```
289+
290+
- Optional
291+
- A function that will be called to determine whether a route component shall be remounted after navigation. If this function returns a different value than previously, it will remount.
292+
- The return value needs to be JSON serializable.
293+
- By default, a route component will not be remounted if it stays active after a navigation
294+
295+
Example:
296+
If you want to configure to remount a route component upon `params` change, use:
297+
298+
```tsx
299+
remountDeps: ({ params }) => params
300+
```

‎docs/framework/react/api/router/RouterOptionsType.md

+32
Original file line numberDiff line numberDiff line change
@@ -296,3 +296,35 @@ const router = createRouter({
296296
- Defaults to `false`
297297
- Configures whether structural sharing is enabled by default for fine-grained selectors.
298298
- See the [Render Optimizations guide](../../guide/render-optimizations.md) for more information.
299+
300+
### `defaultRemountDeps` property
301+
302+
- Type:
303+
304+
```tsx
305+
type defaultRemountDeps = (opts: RemountDepsOptions) => any
306+
307+
interface RemountDepsOptions<
308+
in out TRouteId,
309+
in out TFullSearchSchema,
310+
in out TAllParams,
311+
in out TLoaderDeps,
312+
> {
313+
routeId: TRouteId
314+
search: TFullSearchSchema
315+
params: TAllParams
316+
loaderDeps: TLoaderDeps
317+
}
318+
```
319+
320+
- Optional
321+
- A default function that will be called to determine whether a route component shall be remounted after navigation. If this function returns a different value than previously, it will remount.
322+
- The return value needs to be JSON serializable.
323+
- By default, a route component will not be remounted if it stays active after a navigation
324+
325+
Example:
326+
If you want to configure to remount all route components upon `params` change, use:
327+
328+
```tsx
329+
remountDeps: ({ params }) => params
330+
```

‎packages/eslint-plugin-router/src/rules/create-route-property-order/constants.ts

+10-1
Original file line numberDiff line numberDiff line change
@@ -24,7 +24,16 @@ export const sortRules = [
2424
[['beforeLoad'], ['loader']],
2525
[
2626
['loader'],
27-
['onEnter', 'onStay', 'onLeave', 'meta', 'links', 'scripts', 'headers'],
27+
[
28+
'onEnter',
29+
'onStay',
30+
'onLeave',
31+
'meta',
32+
'links',
33+
'scripts',
34+
'headers',
35+
'remountDeps',
36+
],
2837
],
2938
] as const
3039

‎packages/react-router/src/Match.tsx

+22-6
Original file line numberDiff line numberDiff line change
@@ -114,26 +114,41 @@ export const MatchInner = React.memo(function MatchInnerImpl({
114114
}): any {
115115
const router = useRouter()
116116

117-
const { match, matchIndex, routeId } = useRouterState({
117+
const { match, key, routeId } = useRouterState({
118118
select: (s) => {
119119
const matchIndex = s.matches.findIndex((d) => d.id === matchId)
120120
const match = s.matches[matchIndex]!
121121
const routeId = match.routeId as string
122+
123+
const remountFn =
124+
(router.routesById[routeId] as AnyRoute).options.remountDeps ??
125+
router.options.defaultRemountDeps
126+
const remountDeps = remountFn?.({
127+
routeId,
128+
loaderDeps: match.loaderDeps,
129+
params: match._strictParams,
130+
search: match._strictSearch,
131+
})
132+
const key = remountDeps ? JSON.stringify(remountDeps) : undefined
133+
122134
return {
135+
key,
123136
routeId,
124-
matchIndex,
125137
match: pick(match, ['id', 'status', 'error']),
126138
}
127139
},
128140
structuralSharing: true as any,
129141
})
130142

131-
const route = router.routesById[routeId]!
143+
const route = router.routesById[routeId] as AnyRoute
132144

133145
const out = React.useMemo(() => {
134146
const Comp = route.options.component ?? router.options.defaultComponent
135-
return Comp ? <Comp /> : <Outlet />
136-
}, [route.options.component, router.options.defaultComponent])
147+
if (Comp) {
148+
return <Comp key={key} />
149+
}
150+
return <Outlet />
151+
}, [key, route.options.component, router.options.defaultComponent])
137152

138153
// function useChangedDiff(value: any) {
139154
// const ref = React.useRef(value)
@@ -184,7 +199,8 @@ export const MatchInner = React.memo(function MatchInnerImpl({
184199
if (router.isServer) {
185200
return (
186201
<RouteErrorComponent
187-
error={match.error}
202+
error={match.error as any}
203+
reset={undefined as any}
188204
info={{
189205
componentStack: '',
190206
}}

‎packages/react-router/src/Matches.tsx

+2
Original file line numberDiff line numberDiff line change
@@ -63,6 +63,7 @@ export interface RouteMatch<
6363
index: number
6464
pathname: string
6565
params: TAllParams
66+
_strictParams: TAllParams
6667
status: 'pending' | 'success' | 'error' | 'redirected' | 'notFound'
6768
isFetching: false | 'beforeLoad' | 'loader'
6869
error: unknown
@@ -77,6 +78,7 @@ export interface RouteMatch<
7778
__beforeLoadContext: Record<string, unknown>
7879
context: TAllContext
7980
search: TFullSearchSchema
81+
_strictSearch: TFullSearchSchema
8082
fetchCount: number
8183
abortController: AbortController
8284
cause: 'preload' | 'enter' | 'stay'

‎packages/react-router/src/index.tsx

+2
Original file line numberDiff line numberDiff line change
@@ -259,6 +259,8 @@ export type {
259259
BeforeLoadContextParameter,
260260
ResolveAllContext,
261261
ResolveAllParamsFromParent,
262+
MakeRemountDepsOptionsUnion,
263+
RemountDepsOptions,
262264
} from './route'
263265

264266
export type {

‎packages/react-router/src/route.ts

+38-1
Original file line numberDiff line numberDiff line change
@@ -59,7 +59,7 @@ import type {
5959
RouteMatch,
6060
} from './Matches'
6161
import type { NavigateOptions, ToMaskOptions } from './link'
62-
import type { RouteById, RouteIds, RoutePaths } from './routeInfo'
62+
import type { ParseRoute, RouteById, RouteIds, RoutePaths } from './routeInfo'
6363
import type { AnyRouter, RegisteredRouter, Router } from './router'
6464
import type { BuildLocationFn, NavigateFn } from './RouterProvider'
6565
import type { NotFoundError } from './not-found'
@@ -154,6 +154,7 @@ export type FileBaseRouteOptions<
154154
TRouterContext = {},
155155
TRouteContextFn = AnyContext,
156156
TBeforeLoadFn = AnyContext,
157+
TRemountDepsFn = AnyContext,
157158
> = ParamsOptions<TPath, TParams> & {
158159
validateSearch?: Constrain<TSearchValidator, AnyValidator, DefaultValidator>
159160

@@ -204,6 +205,18 @@ export type FileBaseRouteOptions<
204205
opts: FullSearchSchemaOption<TParentRoute, TSearchValidator>,
205206
) => TLoaderDeps
206207

208+
remountDeps?: Constrain<
209+
TRemountDepsFn,
210+
(
211+
opt: RemountDepsOptions<
212+
TId,
213+
FullSearchSchemaOption<TParentRoute, TSearchValidator>,
214+
Expand<ResolveAllParamsFromParent<TParentRoute, TParams>>,
215+
TLoaderDeps
216+
>,
217+
) => any
218+
>
219+
207220
loader?: Constrain<
208221
TLoaderFn,
209222
(
@@ -275,6 +288,30 @@ export interface RouteContextOptions<
275288
context: Expand<RouteContextParameter<TParentRoute, TRouterContext>>
276289
}
277290

291+
export interface RemountDepsOptions<
292+
in out TRouteId,
293+
in out TFullSearchSchema,
294+
in out TAllParams,
295+
in out TLoaderDeps,
296+
> {
297+
routeId: TRouteId
298+
search: TFullSearchSchema
299+
params: TAllParams
300+
loaderDeps: TLoaderDeps
301+
}
302+
303+
export type MakeRemountDepsOptionsUnion<
304+
TRouteTree extends AnyRoute = RegisteredRouter['routeTree'],
305+
TRoute extends AnyRoute = ParseRoute<TRouteTree>,
306+
> = TRoute extends any
307+
? RemountDepsOptions<
308+
TRoute['id'],
309+
TRoute['types']['fullSearchSchema'],
310+
TRoute['types']['allParams'],
311+
TRoute['types']['loaderDeps']
312+
>
313+
: never
314+
278315
export interface BeforeLoadContextOptions<
279316
in out TParentRoute extends AnyRoute,
280317
in out TSearchValidator,

‎packages/react-router/src/router.ts

+32-11
Original file line numberDiff line numberDiff line change
@@ -61,6 +61,7 @@ import type {
6161
BeforeLoadContextOptions,
6262
ErrorRouteComponent,
6363
LoaderFnContext,
64+
MakeRemountDepsOptionsUnion,
6465
NotFoundRouteComponent,
6566
RootRoute,
6667
RouteComponent,
@@ -451,6 +452,8 @@ export interface RouterOptions<
451452
pathParamsAllowedCharacters?: Array<
452453
';' | ':' | '@' | '&' | '=' | '+' | '$' | ','
453454
>
455+
456+
defaultRemountDeps?: (opts: MakeRemountDepsOptionsUnion<TRouteTree>) => any
454457
}
455458

456459
export interface RouterErrorSerializer<TSerializedError> {
@@ -1151,19 +1154,26 @@ export class Router<
11511154

11521155
const parentMatch = matches[index - 1]
11531156

1154-
const [preMatchSearch, searchError]: [Record<string, any>, any] = (() => {
1157+
const [preMatchSearch, strictMatchSearch, searchError]: [
1158+
Record<string, any>,
1159+
Record<string, any>,
1160+
any,
1161+
] = (() => {
11551162
// Validate the search params and stabilize them
11561163
const parentSearch = parentMatch?.search ?? next.search
1164+
const parentStrictSearch = parentMatch?._strictSearch ?? {}
11571165

11581166
try {
1159-
const search =
1160-
validateSearch(route.options.validateSearch, parentSearch) ?? {}
1167+
const strictSearch =
1168+
validateSearch(route.options.validateSearch, { ...parentSearch }) ??
1169+
{}
11611170

11621171
return [
11631172
{
11641173
...parentSearch,
1165-
...search,
1174+
...strictSearch,
11661175
},
1176+
{ ...parentStrictSearch, ...strictSearch },
11671177
undefined,
11681178
]
11691179
} catch (err: any) {
@@ -1178,7 +1188,7 @@ export class Router<
11781188
throw searchParamError
11791189
}
11801190

1181-
return [parentSearch, searchParamError]
1191+
return [parentSearch, {}, searchParamError]
11821192
}
11831193
})()
11841194

@@ -1194,7 +1204,7 @@ export class Router<
11941204

11951205
const loaderDepsHash = loaderDeps ? JSON.stringify(loaderDeps) : ''
11961206

1197-
const interpolatedPath = interpolatePath({
1207+
const { usedParams, interpolatedPath } = interpolatePath({
11981208
path: route.fullPath,
11991209
params: routeParams,
12001210
decodeCharMap: this.pathParamsDecodeCharMap,
@@ -1206,7 +1216,7 @@ export class Router<
12061216
params: routeParams,
12071217
leaveWildcards: true,
12081218
decodeCharMap: this.pathParamsDecodeCharMap,
1209-
}) + loaderDepsHash
1219+
}).interpolatedPath + loaderDepsHash
12101220

12111221
// Waste not, want not. If we already have a match for this route,
12121222
// reuse it. This is important for layout routes, which might stick
@@ -1231,9 +1241,11 @@ export class Router<
12311241
params: previousMatch
12321242
? replaceEqualDeep(previousMatch.params, routeParams)
12331243
: routeParams,
1244+
_strictParams: usedParams,
12341245
search: previousMatch
12351246
? replaceEqualDeep(previousMatch.search, preMatchSearch)
12361247
: replaceEqualDeep(existingMatch.search, preMatchSearch),
1248+
_strictSearch: strictMatchSearch,
12371249
}
12381250
} else {
12391251
const status =
@@ -1251,11 +1263,13 @@ export class Router<
12511263
params: previousMatch
12521264
? replaceEqualDeep(previousMatch.params, routeParams)
12531265
: routeParams,
1266+
_strictParams: usedParams,
12541267
pathname: joinPaths([this.basepath, interpolatedPath]),
12551268
updatedAt: Date.now(),
12561269
search: previousMatch
12571270
? replaceEqualDeep(previousMatch.search, preMatchSearch)
12581271
: preMatchSearch,
1272+
_strictSearch: strictMatchSearch,
12591273
searchError: undefined,
12601274
status,
12611275
isFetching: false,
@@ -1463,7 +1477,7 @@ export class Router<
14631477
path: route.fullPath,
14641478
params: matchedRoutesResult?.routeParams ?? {},
14651479
decodeCharMap: this.pathParamsDecodeCharMap,
1466-
})
1480+
}).interpolatedPath
14671481
const pathname = joinPaths([this.basepath, interpolatedPath])
14681482
return pathname === fromPath
14691483
})?.id as keyof this['routesById']
@@ -1503,7 +1517,7 @@ export class Router<
15031517
leaveWildcards: false,
15041518
leaveParams: opts.leaveParams,
15051519
decodeCharMap: this.pathParamsDecodeCharMap,
1506-
})
1520+
}).interpolatedPath
15071521

15081522
let search = fromSearch
15091523
if (opts._includeValidateSearch && this.options.search?.strict) {
@@ -2173,6 +2187,10 @@ export class Router<
21732187
this._handleNotFound(matches, err, {
21742188
updateMatch,
21752189
})
2190+
this.serverSsr?.onMatchSettled({
2191+
router: this,
2192+
match: this.getMatch(match.id)!,
2193+
})
21762194
throw err
21772195
}
21782196
}
@@ -2637,6 +2655,7 @@ export class Router<
26372655
if (isNotFound(err) && !allPreload) {
26382656
await triggerOnReady()
26392657
}
2658+
26402659
throw err
26412660
}
26422661
}
@@ -2835,8 +2854,10 @@ export class Router<
28352854
_fromLocation: next,
28362855
})
28372856
}
2838-
// Preload errors are not fatal, but we should still log them
2839-
console.error(err)
2857+
if (!isNotFound(err)) {
2858+
// Preload errors are not fatal, but we should still log them
2859+
console.error(err)
2860+
}
28402861
return undefined
28412862
}
28422863
}

‎packages/react-router/tests/link.bench.tsx

+1-1
Original file line numberDiff line numberDiff line change
@@ -38,7 +38,7 @@ const InterpolatePathLink = ({
3838
params,
3939
children,
4040
}: React.PropsWithChildren<LinkProps>) => {
41-
const href = interpolatePath({ path: to, params })
41+
const href = interpolatePath({ path: to, params }).interpolatedPath
4242
return <a href={href}>{children}</a>
4343
}
4444

‎packages/react-router/tests/router.test.tsx

+236-27
Original file line numberDiff line numberDiff line change
@@ -23,6 +23,7 @@ import type { StandardSchemaValidator } from '@tanstack/router-core'
2323
import type {
2424
AnyRoute,
2525
AnyRouter,
26+
MakeRemountDepsOptionsUnion,
2627
RouterOptions,
2728
ValidatorFn,
2829
ValidatorObj,
@@ -61,6 +62,18 @@ function createTestRouter(options?: RouterOptions<AnyRoute, 'never'>) {
6162
},
6263
})
6364
const indexRoute = createRoute({ getParentRoute: () => rootRoute, path: '/' })
65+
const usersRoute = createRoute({
66+
getParentRoute: () => rootRoute,
67+
path: '/users',
68+
})
69+
const userRoute = createRoute({
70+
getParentRoute: () => usersRoute,
71+
path: '/$userId',
72+
})
73+
const userFilesRoute = createRoute({
74+
getParentRoute: () => userRoute,
75+
path: '/files/$fileId',
76+
})
6477
const postsRoute = createRoute({
6578
getParentRoute: () => rootRoute,
6679
path: '/posts',
@@ -224,8 +237,21 @@ function createTestRouter(options?: RouterOptions<AnyRoute, 'never'>) {
224237
},
225238
})
226239

240+
const nestedSearchRoute = createRoute({
241+
getParentRoute: () => rootRoute,
242+
validateSearch: z.object({ foo: z.string() }),
243+
path: 'nested-search',
244+
})
245+
246+
const nestedSearchChildRoute = createRoute({
247+
getParentRoute: () => nestedSearchRoute,
248+
validateSearch: z.object({ bar: z.string() }),
249+
path: 'child',
250+
})
251+
227252
const routeTree = rootRoute.addChildren([
228253
indexRoute,
254+
usersRoute.addChildren([userRoute.addChildren([userFilesRoute])]),
229255
postsRoute.addChildren([postIdRoute]),
230256
pathSegmentEAccentRoute,
231257
pathSegmentRocketEmojiRoute,
@@ -252,6 +278,7 @@ function createTestRouter(options?: RouterOptions<AnyRoute, 'never'>) {
252278
searchWithDefaultIndexRoute,
253279
searchWithDefaultCheckRoute,
254280
]),
281+
nestedSearchRoute.addChildren([nestedSearchChildRoute]),
255282
])
256283

257284
const router = createRouter({ routeTree, ...options })
@@ -681,21 +708,53 @@ describe('router emits events during rendering', () => {
681708
})
682709

683710
describe('router rendering stability', () => {
684-
it('should not remount the page component when navigating to the same route', async () => {
685-
const callerMock = vi.fn()
711+
type RemountDepsFn = (opts: MakeRemountDepsOptionsUnion) => any
712+
async function setup(opts?: {
713+
remountDeps: {
714+
default?: RemountDepsFn
715+
fooId?: RemountDepsFn
716+
barId?: RemountDepsFn
717+
}
718+
}) {
719+
const mountMocks = {
720+
fooId: vi.fn(),
721+
barId: vi.fn(),
722+
}
686723

687724
const rootRoute = createRootRoute({
688725
component: () => {
689726
return (
690727
<div>
691728
<p>Root</p>
692729
<div>
693-
<Link to="/foo/$id" params={{ id: '1' }}>
730+
<Link
731+
data-testid="link-foo-1"
732+
to="/foo/$fooId"
733+
params={{ fooId: '1' }}
734+
>
694735
Foo1
695736
</Link>
696-
<Link to="/foo/$id" params={{ id: '2' }}>
737+
<Link
738+
data-testid="link-foo-2"
739+
to="/foo/$fooId"
740+
params={{ fooId: '2' }}
741+
>
697742
Foo2
698743
</Link>
744+
<Link
745+
data-testid="link-foo-3-bar-1"
746+
to="/foo/$fooId/bar/$barId"
747+
params={{ fooId: '3', barId: '1' }}
748+
>
749+
Foo3-Bar1
750+
</Link>
751+
<Link
752+
data-testid="link-foo-3-bar-2"
753+
to="/foo/$fooId/bar/$barId"
754+
params={{ fooId: '3', barId: '2' }}
755+
>
756+
Foo3-Bar2
757+
</Link>
699758
</div>
700759
<Outlet />
701760
</div>
@@ -711,43 +770,127 @@ describe('router rendering stability', () => {
711770
})
712771
const fooIdRoute = createRoute({
713772
getParentRoute: () => rootRoute,
714-
path: '/foo/$id',
773+
path: '/foo/$fooId',
715774
component: FooIdRouteComponent,
775+
remountDeps: opts?.remountDeps.fooId,
716776
})
777+
717778
function FooIdRouteComponent() {
718-
const id = fooIdRoute.useParams({ select: (s) => s.id })
779+
const fooId = fooIdRoute.useParams({ select: (s) => s.fooId })
780+
useEffect(() => {
781+
mountMocks.fooId()
782+
}, [])
783+
784+
return (
785+
<div data-testid="fooId-page">
786+
Foo page <span data-testid="fooId-value">{fooId}</span> <Outlet />
787+
</div>
788+
)
789+
}
790+
791+
const barIdRoute = createRoute({
792+
getParentRoute: () => fooIdRoute,
793+
path: '/bar/$barId',
794+
component: BarIdRouteComponent,
795+
remountDeps: opts?.remountDeps.barId,
796+
})
797+
798+
function BarIdRouteComponent() {
799+
const barId = fooIdRoute.useParams({ select: (s) => s.barId })
719800

720801
useEffect(() => {
721-
callerMock()
802+
mountMocks.barId()
722803
}, [])
723804

724-
return <div>Foo page {id}</div>
805+
return (
806+
<div data-testid="barId-page">
807+
Bar page <span data-testid="barId-value">{barId}</span> <Outlet />
808+
</div>
809+
)
725810
}
726811

727-
const routeTree = rootRoute.addChildren([fooIdRoute, indexRoute])
728-
const router = createRouter({ routeTree })
812+
const routeTree = rootRoute.addChildren([
813+
fooIdRoute.addChildren([barIdRoute]),
814+
indexRoute,
815+
])
816+
const router = createRouter({
817+
routeTree,
818+
defaultRemountDeps: opts?.remountDeps.default,
819+
})
820+
821+
await act(() => render(<RouterProvider router={router} />))
729822

730-
render(<RouterProvider router={router} />)
823+
const foo1 = await screen.findByTestId('link-foo-1')
824+
const foo2 = await screen.findByTestId('link-foo-2')
825+
826+
const foo3bar1 = await screen.findByTestId('link-foo-3-bar-1')
827+
const foo3bar2 = await screen.findByTestId('link-foo-3-bar-2')
828+
829+
expect(foo1).toBeInTheDocument()
830+
expect(foo2).toBeInTheDocument()
831+
expect(foo3bar1).toBeInTheDocument()
832+
expect(foo3bar2).toBeInTheDocument()
833+
834+
return { router, mountMocks, links: { foo1, foo2, foo3bar1, foo3bar2 } }
835+
}
836+
837+
async function check(
838+
page: 'fooId' | 'barId',
839+
expected: { value: string; mountCount: number },
840+
mountMocks: Record<'fooId' | 'barId', () => void>,
841+
) {
842+
const p = await screen.findByTestId(`${page}-page`)
843+
expect(p).toBeInTheDocument()
844+
const value = await screen.findByTestId(`${page}-value`)
845+
expect(value).toBeInTheDocument()
846+
expect(value).toHaveTextContent(expected.value)
847+
848+
expect(mountMocks[page]).toBeCalledTimes(expected.mountCount)
849+
}
731850

732-
const foo1Link = await screen.findByRole('link', { name: 'Foo1' })
733-
const foo2Link = await screen.findByRole('link', { name: 'Foo2' })
851+
it('should not remount the page component when navigating to the same route but different path param if no remount deps are configured', async () => {
852+
const { mountMocks, links } = await setup()
734853

735-
expect(foo1Link).toBeInTheDocument()
736-
expect(foo2Link).toBeInTheDocument()
854+
await act(() => fireEvent.click(links.foo1))
855+
await check('fooId', { value: '1', mountCount: 1 }, mountMocks)
856+
expect(mountMocks.barId).not.toHaveBeenCalled()
737857

738-
fireEvent.click(foo1Link)
858+
await act(() => fireEvent.click(links.foo2))
859+
await check('fooId', { value: '2', mountCount: 1 }, mountMocks)
860+
expect(mountMocks.barId).not.toHaveBeenCalled()
739861

740-
const fooPage1 = await screen.findByText('Foo page 1')
741-
expect(fooPage1).toBeInTheDocument()
862+
await act(() => fireEvent.click(links.foo3bar1))
863+
await check('fooId', { value: '3', mountCount: 1 }, mountMocks)
864+
await check('barId', { value: '1', mountCount: 1 }, mountMocks),
865+
await act(() => fireEvent.click(links.foo3bar2))
866+
await check('fooId', { value: '3', mountCount: 1 }, mountMocks)
867+
await check('barId', { value: '2', mountCount: 1 }, mountMocks)
868+
})
869+
870+
it('should remount the fooId and barId page component when navigating to the same route but different path param if defaultRemountDeps with params is used', async () => {
871+
const defaultRemountDeps: RemountDepsFn = (opts) => {
872+
return opts.params
873+
}
874+
const { mountMocks, links } = await setup({
875+
remountDeps: { default: defaultRemountDeps },
876+
})
877+
878+
await act(() => fireEvent.click(links.foo1))
879+
await check('fooId', { value: '1', mountCount: 1 }, mountMocks)
880+
expect(mountMocks.barId).not.toHaveBeenCalled()
742881

743-
expect(callerMock).toBeCalledTimes(1)
882+
await act(() => fireEvent.click(links.foo2))
744883

745-
fireEvent.click(foo2Link)
884+
await check('fooId', { value: '2', mountCount: 2 }, mountMocks)
885+
expect(mountMocks.barId).not.toHaveBeenCalled()
746886

747-
const fooPage2 = await screen.findByText('Foo page 2')
748-
expect(fooPage2).toBeInTheDocument()
887+
await act(() => fireEvent.click(links.foo3bar1))
888+
await check('fooId', { value: '3', mountCount: 3 }, mountMocks)
889+
await check('barId', { value: '1', mountCount: 1 }, mountMocks)
749890

750-
expect(callerMock).toBeCalledTimes(1)
891+
await act(() => fireEvent.click(links.foo3bar2))
892+
await check('fooId', { value: '3', mountCount: 3 }, mountMocks)
893+
await check('barId', { value: '2', mountCount: 2 }, mountMocks)
751894
})
752895
})
753896

@@ -792,21 +935,87 @@ describe('router matches URLs to route definitions', () => {
792935
])
793936
})
794937

795-
it('layout splat route matches without splat', async () => {
938+
it('nested path params', async () => {
796939
const { router } = createTestRouter({
797-
history: createMemoryHistory({ initialEntries: ['/layout-splat'] }),
940+
history: createMemoryHistory({
941+
initialEntries: ['/users/5678/files/123'],
942+
}),
798943
})
799944

800945
await act(() => router.load())
801946

802947
expect(router.state.matches.map((d) => d.routeId)).toEqual([
803948
'__root__',
804-
'/layout-splat',
805-
'/layout-splat/',
949+
'/users',
950+
'/users/$userId',
951+
'/users/$userId/files/$fileId',
806952
])
807953
})
808954
})
809955

956+
describe('matches', () => {
957+
describe('params', () => {
958+
it('/users/$userId/files/$fileId', async () => {
959+
const { router } = createTestRouter({
960+
history: createMemoryHistory({
961+
initialEntries: ['/users/5678/files/123'],
962+
}),
963+
})
964+
965+
await act(() => router.load())
966+
967+
const expectedStrictParams: Record<string, unknown> = {
968+
__root__: {},
969+
'/users': {},
970+
'/users/$userId': { userId: '5678' },
971+
'/users/$userId/files/$fileId': { userId: '5678', fileId: '123' },
972+
}
973+
974+
expect(router.state.matches.length).toEqual(
975+
Object.entries(expectedStrictParams).length,
976+
)
977+
router.state.matches.forEach((match) => {
978+
expect(match.params).toEqual(
979+
expectedStrictParams['/users/$userId/files/$fileId'],
980+
)
981+
})
982+
router.state.matches.forEach((match) => {
983+
expect(match._strictParams).toEqual(expectedStrictParams[match.routeId])
984+
})
985+
})
986+
})
987+
988+
describe('search', () => {
989+
it('/nested-search/child?foo=hello&bar=world', async () => {
990+
const { router } = createTestRouter({
991+
history: createMemoryHistory({
992+
initialEntries: ['/nested-search/child?foo=hello&bar=world'],
993+
}),
994+
})
995+
996+
await act(() => router.load())
997+
998+
const expectedStrictSearch: Record<string, unknown> = {
999+
__root__: {},
1000+
'/nested-search': { foo: 'hello' },
1001+
'/nested-search/child': { foo: 'hello', bar: 'world' },
1002+
}
1003+
1004+
expect(router.state.matches.length).toEqual(
1005+
Object.entries(expectedStrictSearch).length,
1006+
)
1007+
router.state.matches.forEach((match) => {
1008+
expect(match.search).toEqual(
1009+
expectedStrictSearch['/nested-search/child'],
1010+
)
1011+
})
1012+
router.state.matches.forEach((match) => {
1013+
expect(match._strictSearch).toEqual(expectedStrictSearch[match.routeId])
1014+
})
1015+
})
1016+
})
1017+
})
1018+
8101019
describe('invalidate', () => {
8111020
it('after router.invalid(), routes should be `valid` again after loading', async () => {
8121021
const { router } = createTestRouter({

‎packages/router-core/src/path.ts

+18-11
Original file line numberDiff line numberDiff line change
@@ -208,48 +208,55 @@ interface InterpolatePathOptions {
208208
decodeCharMap?: Map<string, string>
209209
}
210210

211+
type InterPolatePathResult = {
212+
interpolatedPath: string
213+
usedParams: Record<string, unknown>
214+
}
211215
export function interpolatePath({
212216
path,
213217
params,
214218
leaveWildcards,
215219
leaveParams,
216220
decodeCharMap,
217-
}: InterpolatePathOptions) {
221+
}: InterpolatePathOptions): InterPolatePathResult {
218222
const interpolatedPathSegments = parsePathname(path)
219-
const encodedParams: any = {}
220223

221-
for (const [key, value] of Object.entries(params)) {
224+
function encodeParam(key: string): any {
225+
const value = params[key]
222226
const isValueString = typeof value === 'string'
223227

224228
if (['*', '_splat'].includes(key)) {
225229
// the splat/catch-all routes shouldn't have the '/' encoded out
226-
encodedParams[key] = isValueString ? encodeURI(value) : value
230+
return isValueString ? encodeURI(value) : value
227231
} else {
228-
encodedParams[key] = isValueString
229-
? encodePathParam(value, decodeCharMap)
230-
: value
232+
return isValueString ? encodePathParam(value, decodeCharMap) : value
231233
}
232234
}
233235

234-
return joinPaths(
236+
const usedParams: Record<string, unknown> = {}
237+
const interpolatedPath = joinPaths(
235238
interpolatedPathSegments.map((segment) => {
236239
if (segment.type === 'wildcard') {
237-
const value = encodedParams._splat
240+
usedParams._splat = params._splat
241+
const value = encodeParam('_splat')
238242
if (leaveWildcards) return `${segment.value}${value ?? ''}`
239243
return value
240244
}
241245

242246
if (segment.type === 'param') {
247+
const key = segment.value.substring(1)
248+
usedParams[key] = params[key]
243249
if (leaveParams) {
244-
const value = encodedParams[segment.value]
250+
const value = encodeParam(segment.value)
245251
return `${segment.value}${value ?? ''}`
246252
}
247-
return encodedParams![segment.value.substring(1)] ?? 'undefined'
253+
return encodeParam(key) ?? 'undefined'
248254
}
249255

250256
return segment.value
251257
}),
252258
)
259+
return { usedParams, interpolatedPath }
253260
}
254261

255262
function encodePathParam(value: string, decodeCharMap?: Map<string, string>) {

‎packages/router-core/tests/path.test.ts

+1-1
Original file line numberDiff line numberDiff line change
@@ -330,7 +330,7 @@ describe('interpolatePath', () => {
330330
path: exp.path,
331331
params: exp.params,
332332
decodeCharMap: exp.decodeCharMap,
333-
})
333+
}).interpolatedPath
334334
expect(result).toBe(exp.result)
335335
})
336336
})

0 commit comments

Comments
 (0)
Please sign in to comment.