@tanstack/react-router 0.0.1-beta.20 → 0.0.1-beta.201

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -1,5 +1,5 @@
1
1
  /**
2
- * react-router
2
+ * @tanstack/react-router/src/index.tsx
3
3
  *
4
4
  * Copyright (c) TanStack
5
5
  *
@@ -8,2877 +8,650 @@
8
8
  *
9
9
  * @license MIT
10
10
  */
11
+ import { useStore } from '@tanstack/react-store';
12
+ export { useStore } from '@tanstack/react-store';
13
+ import { Route, functionalUpdate, rootRouteId, last, pick, watchScrollPositions, restoreScrollPositions, isDehydratedDeferred } from '@tanstack/router-core';
14
+ export * from '@tanstack/router-core';
11
15
  import * as React from 'react';
12
- import { useSyncExternalStore } from 'use-sync-external-store/shim';
16
+ import invariant from 'tiny-invariant';
17
+ import warning from 'tiny-warning';
13
18
 
14
- function _extends$2() {
15
- _extends$2 = Object.assign ? Object.assign.bind() : function (target) {
16
- for (var i = 1; i < arguments.length; i++) {
17
- var source = arguments[i];
18
-
19
- for (var key in source) {
20
- if (Object.prototype.hasOwnProperty.call(source, key)) {
21
- target[key] = source[key];
22
- }
23
- }
24
- }
25
-
26
- return target;
27
- };
28
- return _extends$2.apply(this, arguments);
29
- }
30
-
31
- function _objectWithoutPropertiesLoose(source, excluded) {
32
- if (source == null) return {};
33
- var target = {};
34
- var sourceKeys = Object.keys(source);
35
- var key, i;
36
-
37
- for (i = 0; i < sourceKeys.length; i++) {
38
- key = sourceKeys[i];
39
- if (excluded.indexOf(key) >= 0) continue;
40
- target[key] = source[key];
41
- }
42
-
43
- return target;
44
- }
45
-
46
- /**
47
- * router-core
48
- *
49
- * Copyright (c) TanStack
50
- *
51
- * This source code is licensed under the MIT license found in the
52
- * LICENSE.md file in the root directory of this source tree.
53
- *
54
- * @license MIT
55
- */
56
- function _extends$1() {
57
- _extends$1 = Object.assign ? Object.assign.bind() : function (target) {
58
- for (var i = 1; i < arguments.length; i++) {
59
- var source = arguments[i];
60
-
61
- for (var key in source) {
62
- if (Object.prototype.hasOwnProperty.call(source, key)) {
63
- target[key] = source[key];
64
- }
65
- }
66
- }
67
-
68
- return target;
69
- };
70
- return _extends$1.apply(this, arguments);
71
- }
72
-
73
- /**
74
- * Actions represent the type of change to a location value.
75
- *
76
- * @see https://github.com/remix-run/history/tree/main/docs/api-reference.md#action
77
- */
78
- var Action;
79
-
80
- (function (Action) {
81
- /**
82
- * A POP indicates a change to an arbitrary index in the history stack, such
83
- * as a back or forward navigation. It does not describe the direction of the
84
- * navigation, only that the current index changed.
85
- *
86
- * Note: This is the default action for newly created history objects.
87
- */
88
- Action["Pop"] = "POP";
89
- /**
90
- * A PUSH indicates a new entry being added to the history stack, such as when
91
- * a link is clicked and a new page loads. When this happens, all subsequent
92
- * entries in the stack are lost.
93
- */
94
-
95
- Action["Push"] = "PUSH";
96
- /**
97
- * A REPLACE indicates the entry at the current index in the history stack
98
- * being replaced by a new one.
99
- */
100
-
101
- Action["Replace"] = "REPLACE";
102
- })(Action || (Action = {}));
103
-
104
- var readOnly = process.env.NODE_ENV !== "production" ? function (obj) {
105
- return Object.freeze(obj);
106
- } : function (obj) {
107
- return obj;
108
- };
109
-
110
- function warning$1(cond, message) {
111
- if (!cond) {
112
- // eslint-disable-next-line no-console
113
- if (typeof console !== 'undefined') console.warn(message);
114
-
115
- try {
116
- // Welcome to debugging history!
117
- //
118
- // This error is thrown as a convenience so you can more easily
119
- // find the source for a warning that appears in the console by
120
- // enabling "pause on exceptions" in your JavaScript debugger.
121
- throw new Error(message); // eslint-disable-next-line no-empty
122
- } catch (e) {}
123
- }
124
- }
125
-
126
- var BeforeUnloadEventType = 'beforeunload';
127
- var HashChangeEventType = 'hashchange';
128
- var PopStateEventType = 'popstate';
129
- /**
130
- * Browser history stores the location in regular URLs. This is the standard for
131
- * most web apps, but it requires some configuration on the server to ensure you
132
- * serve the same app at multiple URLs.
133
- *
134
- * @see https://github.com/remix-run/history/tree/main/docs/api-reference.md#createbrowserhistory
135
- */
136
-
137
- function createBrowserHistory(options) {
138
- if (options === void 0) {
139
- options = {};
140
- }
141
-
142
- var _options = options,
143
- _options$window = _options.window,
144
- window = _options$window === void 0 ? document.defaultView : _options$window;
145
- var globalHistory = window.history;
146
-
147
- function getIndexAndLocation() {
148
- var _window$location = window.location,
149
- pathname = _window$location.pathname,
150
- search = _window$location.search,
151
- hash = _window$location.hash;
152
- var state = globalHistory.state || {};
153
- return [state.idx, readOnly({
154
- pathname: pathname,
155
- search: search,
156
- hash: hash,
157
- state: state.usr || null,
158
- key: state.key || 'default'
159
- })];
160
- }
161
-
162
- var blockedPopTx = null;
163
-
164
- function handlePop() {
165
- if (blockedPopTx) {
166
- blockers.call(blockedPopTx);
167
- blockedPopTx = null;
168
- } else {
169
- var nextAction = Action.Pop;
170
-
171
- var _getIndexAndLocation = getIndexAndLocation(),
172
- nextIndex = _getIndexAndLocation[0],
173
- nextLocation = _getIndexAndLocation[1];
174
-
175
- if (blockers.length) {
176
- if (nextIndex != null) {
177
- var delta = index - nextIndex;
178
-
179
- if (delta) {
180
- // Revert the POP
181
- blockedPopTx = {
182
- action: nextAction,
183
- location: nextLocation,
184
- retry: function retry() {
185
- go(delta * -1);
186
- }
187
- };
188
- go(delta);
189
- }
190
- } else {
191
- // Trying to POP to a location with no index. We did not create
192
- // this location, so we can't effectively block the navigation.
193
- process.env.NODE_ENV !== "production" ? warning$1(false, // TODO: Write up a doc that explains our blocking strategy in
194
- // detail and link to it here so people can understand better what
195
- // is going on and how to avoid it.
196
- "You are trying to block a POP navigation to a location that was not " + "created by the history library. The block will fail silently in " + "production, but in general you should do all navigation with the " + "history library (instead of using window.history.pushState directly) " + "to avoid this situation.") : void 0;
197
- }
198
- } else {
199
- applyTx(nextAction);
200
- }
201
- }
202
- }
203
-
204
- window.addEventListener(PopStateEventType, handlePop);
205
- var action = Action.Pop;
206
-
207
- var _getIndexAndLocation2 = getIndexAndLocation(),
208
- index = _getIndexAndLocation2[0],
209
- location = _getIndexAndLocation2[1];
210
-
211
- var listeners = createEvents();
212
- var blockers = createEvents();
213
-
214
- if (index == null) {
215
- index = 0;
216
- globalHistory.replaceState(_extends$1({}, globalHistory.state, {
217
- idx: index
218
- }), '');
219
- }
220
-
221
- function createHref(to) {
222
- return typeof to === 'string' ? to : createPath(to);
223
- } // state defaults to `null` because `window.history.state` does
224
-
225
-
226
- function getNextLocation(to, state) {
227
- if (state === void 0) {
228
- state = null;
229
- }
230
-
231
- return readOnly(_extends$1({
232
- pathname: location.pathname,
233
- hash: '',
234
- search: ''
235
- }, typeof to === 'string' ? parsePath(to) : to, {
236
- state: state,
237
- key: createKey()
238
- }));
239
- }
240
-
241
- function getHistoryStateAndUrl(nextLocation, index) {
242
- return [{
243
- usr: nextLocation.state,
244
- key: nextLocation.key,
245
- idx: index
246
- }, createHref(nextLocation)];
247
- }
248
-
249
- function allowTx(action, location, retry) {
250
- return !blockers.length || (blockers.call({
251
- action: action,
252
- location: location,
253
- retry: retry
254
- }), false);
255
- }
256
-
257
- function applyTx(nextAction) {
258
- action = nextAction;
259
-
260
- var _getIndexAndLocation3 = getIndexAndLocation();
261
-
262
- index = _getIndexAndLocation3[0];
263
- location = _getIndexAndLocation3[1];
264
- listeners.call({
265
- action: action,
266
- location: location
267
- });
268
- }
269
-
270
- function push(to, state) {
271
- var nextAction = Action.Push;
272
- var nextLocation = getNextLocation(to, state);
273
-
274
- function retry() {
275
- push(to, state);
276
- }
277
-
278
- if (allowTx(nextAction, nextLocation, retry)) {
279
- var _getHistoryStateAndUr = getHistoryStateAndUrl(nextLocation, index + 1),
280
- historyState = _getHistoryStateAndUr[0],
281
- url = _getHistoryStateAndUr[1]; // TODO: Support forced reloading
282
- // try...catch because iOS limits us to 100 pushState calls :/
283
-
284
-
285
- try {
286
- globalHistory.pushState(historyState, '', url);
287
- } catch (error) {
288
- // They are going to lose state here, but there is no real
289
- // way to warn them about it since the page will refresh...
290
- window.location.assign(url);
291
- }
292
-
293
- applyTx(nextAction);
294
- }
295
- }
296
-
297
- function replace(to, state) {
298
- var nextAction = Action.Replace;
299
- var nextLocation = getNextLocation(to, state);
300
-
301
- function retry() {
302
- replace(to, state);
303
- }
304
-
305
- if (allowTx(nextAction, nextLocation, retry)) {
306
- var _getHistoryStateAndUr2 = getHistoryStateAndUrl(nextLocation, index),
307
- historyState = _getHistoryStateAndUr2[0],
308
- url = _getHistoryStateAndUr2[1]; // TODO: Support forced reloading
309
-
310
-
311
- globalHistory.replaceState(historyState, '', url);
312
- applyTx(nextAction);
313
- }
314
- }
315
-
316
- function go(delta) {
317
- globalHistory.go(delta);
318
- }
319
-
320
- var history = {
321
- get action() {
322
- return action;
323
- },
324
-
325
- get location() {
326
- return location;
327
- },
328
-
329
- createHref: createHref,
330
- push: push,
331
- replace: replace,
332
- go: go,
333
- back: function back() {
334
- go(-1);
335
- },
336
- forward: function forward() {
337
- go(1);
338
- },
339
- listen: function listen(listener) {
340
- return listeners.push(listener);
341
- },
342
- block: function block(blocker) {
343
- var unblock = blockers.push(blocker);
344
-
345
- if (blockers.length === 1) {
346
- window.addEventListener(BeforeUnloadEventType, promptBeforeUnload);
347
- }
348
-
349
- return function () {
350
- unblock(); // Remove the beforeunload listener so the document may
351
- // still be salvageable in the pagehide event.
352
- // See https://html.spec.whatwg.org/#unloading-documents
353
-
354
- if (!blockers.length) {
355
- window.removeEventListener(BeforeUnloadEventType, promptBeforeUnload);
356
- }
357
- };
358
- }
359
- };
360
- return history;
361
- }
362
- /**
363
- * Hash history stores the location in window.location.hash. This makes it ideal
364
- * for situations where you don't want to send the location to the server for
365
- * some reason, either because you do cannot configure it or the URL space is
366
- * reserved for something else.
367
- *
368
- * @see https://github.com/remix-run/history/tree/main/docs/api-reference.md#createhashhistory
369
- */
370
-
371
- function createHashHistory(options) {
372
- if (options === void 0) {
373
- options = {};
374
- }
375
-
376
- var _options2 = options,
377
- _options2$window = _options2.window,
378
- window = _options2$window === void 0 ? document.defaultView : _options2$window;
379
- var globalHistory = window.history;
380
-
381
- function getIndexAndLocation() {
382
- var _parsePath = parsePath(window.location.hash.substr(1)),
383
- _parsePath$pathname = _parsePath.pathname,
384
- pathname = _parsePath$pathname === void 0 ? '/' : _parsePath$pathname,
385
- _parsePath$search = _parsePath.search,
386
- search = _parsePath$search === void 0 ? '' : _parsePath$search,
387
- _parsePath$hash = _parsePath.hash,
388
- hash = _parsePath$hash === void 0 ? '' : _parsePath$hash;
389
-
390
- var state = globalHistory.state || {};
391
- return [state.idx, readOnly({
392
- pathname: pathname,
393
- search: search,
394
- hash: hash,
395
- state: state.usr || null,
396
- key: state.key || 'default'
397
- })];
398
- }
399
-
400
- var blockedPopTx = null;
401
-
402
- function handlePop() {
403
- if (blockedPopTx) {
404
- blockers.call(blockedPopTx);
405
- blockedPopTx = null;
406
- } else {
407
- var nextAction = Action.Pop;
408
-
409
- var _getIndexAndLocation4 = getIndexAndLocation(),
410
- nextIndex = _getIndexAndLocation4[0],
411
- nextLocation = _getIndexAndLocation4[1];
412
-
413
- if (blockers.length) {
414
- if (nextIndex != null) {
415
- var delta = index - nextIndex;
416
-
417
- if (delta) {
418
- // Revert the POP
419
- blockedPopTx = {
420
- action: nextAction,
421
- location: nextLocation,
422
- retry: function retry() {
423
- go(delta * -1);
424
- }
425
- };
426
- go(delta);
427
- }
428
- } else {
429
- // Trying to POP to a location with no index. We did not create
430
- // this location, so we can't effectively block the navigation.
431
- process.env.NODE_ENV !== "production" ? warning$1(false, // TODO: Write up a doc that explains our blocking strategy in
432
- // detail and link to it here so people can understand better
433
- // what is going on and how to avoid it.
434
- "You are trying to block a POP navigation to a location that was not " + "created by the history library. The block will fail silently in " + "production, but in general you should do all navigation with the " + "history library (instead of using window.history.pushState directly) " + "to avoid this situation.") : void 0;
435
- }
436
- } else {
437
- applyTx(nextAction);
438
- }
439
- }
440
- }
441
-
442
- window.addEventListener(PopStateEventType, handlePop); // popstate does not fire on hashchange in IE 11 and old (trident) Edge
443
- // https://developer.mozilla.org/de/docs/Web/API/Window/popstate_event
444
-
445
- window.addEventListener(HashChangeEventType, function () {
446
- var _getIndexAndLocation5 = getIndexAndLocation(),
447
- nextLocation = _getIndexAndLocation5[1]; // Ignore extraneous hashchange events.
448
-
449
-
450
- if (createPath(nextLocation) !== createPath(location)) {
451
- handlePop();
452
- }
453
- });
454
- var action = Action.Pop;
455
-
456
- var _getIndexAndLocation6 = getIndexAndLocation(),
457
- index = _getIndexAndLocation6[0],
458
- location = _getIndexAndLocation6[1];
459
-
460
- var listeners = createEvents();
461
- var blockers = createEvents();
462
-
463
- if (index == null) {
464
- index = 0;
465
- globalHistory.replaceState(_extends$1({}, globalHistory.state, {
466
- idx: index
467
- }), '');
468
- }
469
-
470
- function getBaseHref() {
471
- var base = document.querySelector('base');
472
- var href = '';
473
-
474
- if (base && base.getAttribute('href')) {
475
- var url = window.location.href;
476
- var hashIndex = url.indexOf('#');
477
- href = hashIndex === -1 ? url : url.slice(0, hashIndex);
478
- }
479
-
480
- return href;
481
- }
482
-
483
- function createHref(to) {
484
- return getBaseHref() + '#' + (typeof to === 'string' ? to : createPath(to));
485
- }
486
-
487
- function getNextLocation(to, state) {
488
- if (state === void 0) {
489
- state = null;
490
- }
491
-
492
- return readOnly(_extends$1({
493
- pathname: location.pathname,
494
- hash: '',
495
- search: ''
496
- }, typeof to === 'string' ? parsePath(to) : to, {
497
- state: state,
498
- key: createKey()
499
- }));
500
- }
501
-
502
- function getHistoryStateAndUrl(nextLocation, index) {
503
- return [{
504
- usr: nextLocation.state,
505
- key: nextLocation.key,
506
- idx: index
507
- }, createHref(nextLocation)];
508
- }
509
-
510
- function allowTx(action, location, retry) {
511
- return !blockers.length || (blockers.call({
512
- action: action,
513
- location: location,
514
- retry: retry
515
- }), false);
516
- }
517
-
518
- function applyTx(nextAction) {
519
- action = nextAction;
520
-
521
- var _getIndexAndLocation7 = getIndexAndLocation();
522
-
523
- index = _getIndexAndLocation7[0];
524
- location = _getIndexAndLocation7[1];
525
- listeners.call({
526
- action: action,
527
- location: location
528
- });
529
- }
530
-
531
- function push(to, state) {
532
- var nextAction = Action.Push;
533
- var nextLocation = getNextLocation(to, state);
534
-
535
- function retry() {
536
- push(to, state);
537
- }
538
-
539
- process.env.NODE_ENV !== "production" ? warning$1(nextLocation.pathname.charAt(0) === '/', "Relative pathnames are not supported in hash history.push(" + JSON.stringify(to) + ")") : void 0;
540
-
541
- if (allowTx(nextAction, nextLocation, retry)) {
542
- var _getHistoryStateAndUr3 = getHistoryStateAndUrl(nextLocation, index + 1),
543
- historyState = _getHistoryStateAndUr3[0],
544
- url = _getHistoryStateAndUr3[1]; // TODO: Support forced reloading
545
- // try...catch because iOS limits us to 100 pushState calls :/
546
-
547
-
548
- try {
549
- globalHistory.pushState(historyState, '', url);
550
- } catch (error) {
551
- // They are going to lose state here, but there is no real
552
- // way to warn them about it since the page will refresh...
553
- window.location.assign(url);
554
- }
555
-
556
- applyTx(nextAction);
557
- }
558
- }
559
-
560
- function replace(to, state) {
561
- var nextAction = Action.Replace;
562
- var nextLocation = getNextLocation(to, state);
563
-
564
- function retry() {
565
- replace(to, state);
566
- }
567
-
568
- process.env.NODE_ENV !== "production" ? warning$1(nextLocation.pathname.charAt(0) === '/', "Relative pathnames are not supported in hash history.replace(" + JSON.stringify(to) + ")") : void 0;
569
-
570
- if (allowTx(nextAction, nextLocation, retry)) {
571
- var _getHistoryStateAndUr4 = getHistoryStateAndUrl(nextLocation, index),
572
- historyState = _getHistoryStateAndUr4[0],
573
- url = _getHistoryStateAndUr4[1]; // TODO: Support forced reloading
574
-
575
-
576
- globalHistory.replaceState(historyState, '', url);
577
- applyTx(nextAction);
578
- }
579
- }
580
-
581
- function go(delta) {
582
- globalHistory.go(delta);
583
- }
584
-
585
- var history = {
586
- get action() {
587
- return action;
588
- },
589
-
590
- get location() {
591
- return location;
592
- },
593
-
594
- createHref: createHref,
595
- push: push,
596
- replace: replace,
597
- go: go,
598
- back: function back() {
599
- go(-1);
600
- },
601
- forward: function forward() {
602
- go(1);
603
- },
604
- listen: function listen(listener) {
605
- return listeners.push(listener);
606
- },
607
- block: function block(blocker) {
608
- var unblock = blockers.push(blocker);
609
-
610
- if (blockers.length === 1) {
611
- window.addEventListener(BeforeUnloadEventType, promptBeforeUnload);
612
- }
613
-
614
- return function () {
615
- unblock(); // Remove the beforeunload listener so the document may
616
- // still be salvageable in the pagehide event.
617
- // See https://html.spec.whatwg.org/#unloading-documents
618
-
619
- if (!blockers.length) {
620
- window.removeEventListener(BeforeUnloadEventType, promptBeforeUnload);
621
- }
622
- };
623
- }
624
- };
625
- return history;
626
- }
627
- /**
628
- * Memory history stores the current location in memory. It is designed for use
629
- * in stateful non-browser environments like tests and React Native.
630
- *
631
- * @see https://github.com/remix-run/history/tree/main/docs/api-reference.md#creatememoryhistory
632
- */
633
-
634
- function createMemoryHistory(options) {
635
- if (options === void 0) {
636
- options = {};
637
- }
638
-
639
- var _options3 = options,
640
- _options3$initialEntr = _options3.initialEntries,
641
- initialEntries = _options3$initialEntr === void 0 ? ['/'] : _options3$initialEntr,
642
- initialIndex = _options3.initialIndex;
643
- var entries = initialEntries.map(function (entry) {
644
- var location = readOnly(_extends$1({
645
- pathname: '/',
646
- search: '',
647
- hash: '',
648
- state: null,
649
- key: createKey()
650
- }, typeof entry === 'string' ? parsePath(entry) : entry));
651
- process.env.NODE_ENV !== "production" ? warning$1(location.pathname.charAt(0) === '/', "Relative pathnames are not supported in createMemoryHistory({ initialEntries }) (invalid entry: " + JSON.stringify(entry) + ")") : void 0;
652
- return location;
653
- });
654
- var index = clamp(initialIndex == null ? entries.length - 1 : initialIndex, 0, entries.length - 1);
655
- var action = Action.Pop;
656
- var location = entries[index];
657
- var listeners = createEvents();
658
- var blockers = createEvents();
659
-
660
- function createHref(to) {
661
- return typeof to === 'string' ? to : createPath(to);
662
- }
663
-
664
- function getNextLocation(to, state) {
665
- if (state === void 0) {
666
- state = null;
667
- }
668
-
669
- return readOnly(_extends$1({
670
- pathname: location.pathname,
671
- search: '',
672
- hash: ''
673
- }, typeof to === 'string' ? parsePath(to) : to, {
674
- state: state,
675
- key: createKey()
676
- }));
677
- }
678
-
679
- function allowTx(action, location, retry) {
680
- return !blockers.length || (blockers.call({
681
- action: action,
682
- location: location,
683
- retry: retry
684
- }), false);
685
- }
686
-
687
- function applyTx(nextAction, nextLocation) {
688
- action = nextAction;
689
- location = nextLocation;
690
- listeners.call({
691
- action: action,
692
- location: location
693
- });
694
- }
695
-
696
- function push(to, state) {
697
- var nextAction = Action.Push;
698
- var nextLocation = getNextLocation(to, state);
699
-
700
- function retry() {
701
- push(to, state);
702
- }
703
-
704
- process.env.NODE_ENV !== "production" ? warning$1(location.pathname.charAt(0) === '/', "Relative pathnames are not supported in memory history.push(" + JSON.stringify(to) + ")") : void 0;
705
-
706
- if (allowTx(nextAction, nextLocation, retry)) {
707
- index += 1;
708
- entries.splice(index, entries.length, nextLocation);
709
- applyTx(nextAction, nextLocation);
710
- }
711
- }
712
-
713
- function replace(to, state) {
714
- var nextAction = Action.Replace;
715
- var nextLocation = getNextLocation(to, state);
716
-
717
- function retry() {
718
- replace(to, state);
719
- }
720
-
721
- process.env.NODE_ENV !== "production" ? warning$1(location.pathname.charAt(0) === '/', "Relative pathnames are not supported in memory history.replace(" + JSON.stringify(to) + ")") : void 0;
722
-
723
- if (allowTx(nextAction, nextLocation, retry)) {
724
- entries[index] = nextLocation;
725
- applyTx(nextAction, nextLocation);
726
- }
727
- }
728
-
729
- function go(delta) {
730
- var nextIndex = clamp(index + delta, 0, entries.length - 1);
731
- var nextAction = Action.Pop;
732
- var nextLocation = entries[nextIndex];
733
-
734
- function retry() {
735
- go(delta);
736
- }
737
-
738
- if (allowTx(nextAction, nextLocation, retry)) {
739
- index = nextIndex;
740
- applyTx(nextAction, nextLocation);
741
- }
742
- }
743
-
744
- var history = {
745
- get index() {
746
- return index;
747
- },
748
-
749
- get action() {
750
- return action;
751
- },
752
-
753
- get location() {
754
- return location;
755
- },
756
-
757
- createHref: createHref,
758
- push: push,
759
- replace: replace,
760
- go: go,
761
- back: function back() {
762
- go(-1);
763
- },
764
- forward: function forward() {
765
- go(1);
766
- },
767
- listen: function listen(listener) {
768
- return listeners.push(listener);
769
- },
770
- block: function block(blocker) {
771
- return blockers.push(blocker);
772
- }
773
- };
774
- return history;
775
- } ////////////////////////////////////////////////////////////////////////////////
776
- // UTILS
777
- ////////////////////////////////////////////////////////////////////////////////
778
-
779
- function clamp(n, lowerBound, upperBound) {
780
- return Math.min(Math.max(n, lowerBound), upperBound);
781
- }
782
-
783
- function promptBeforeUnload(event) {
784
- // Cancel the event.
785
- event.preventDefault(); // Chrome (and legacy IE) requires returnValue to be set.
786
-
787
- event.returnValue = '';
788
- }
789
-
790
- function createEvents() {
791
- var handlers = [];
792
- return {
793
- get length() {
794
- return handlers.length;
795
- },
796
-
797
- push: function push(fn) {
798
- handlers.push(fn);
799
- return function () {
800
- handlers = handlers.filter(function (handler) {
801
- return handler !== fn;
802
- });
803
- };
804
- },
805
- call: function call(arg) {
806
- handlers.forEach(function (fn) {
807
- return fn && fn(arg);
808
- });
809
- }
810
- };
811
- }
812
-
813
- function createKey() {
814
- return Math.random().toString(36).substr(2, 8);
815
- }
816
- /**
817
- * Creates a string URL path from the given pathname, search, and hash components.
818
- *
819
- * @see https://github.com/remix-run/history/tree/main/docs/api-reference.md#createpath
820
- */
821
-
822
-
823
- function createPath(_ref) {
824
- var _ref$pathname = _ref.pathname,
825
- pathname = _ref$pathname === void 0 ? '/' : _ref$pathname,
826
- _ref$search = _ref.search,
827
- search = _ref$search === void 0 ? '' : _ref$search,
828
- _ref$hash = _ref.hash,
829
- hash = _ref$hash === void 0 ? '' : _ref$hash;
830
- if (search && search !== '?') pathname += search.charAt(0) === '?' ? search : '?' + search;
831
- if (hash && hash !== '#') pathname += hash.charAt(0) === '#' ? hash : '#' + hash;
832
- return pathname;
833
- }
834
- /**
835
- * Parses a string URL path into its separate pathname, search, and hash components.
836
- *
837
- * @see https://github.com/remix-run/history/tree/main/docs/api-reference.md#parsepath
838
- */
839
-
840
- function parsePath(path) {
841
- var parsedPath = {};
842
-
843
- if (path) {
844
- var hashIndex = path.indexOf('#');
845
-
846
- if (hashIndex >= 0) {
847
- parsedPath.hash = path.substr(hashIndex);
848
- path = path.substr(0, hashIndex);
849
- }
850
-
851
- var searchIndex = path.indexOf('?');
852
-
853
- if (searchIndex >= 0) {
854
- parsedPath.search = path.substr(searchIndex);
855
- path = path.substr(0, searchIndex);
856
- }
857
-
858
- if (path) {
859
- parsedPath.pathname = path;
860
- }
861
- }
862
-
863
- return parsedPath;
864
- }
865
-
866
- var isProduction = process.env.NODE_ENV === 'production';
867
- var prefix = 'Invariant failed';
868
- function invariant(condition, message) {
869
- if (condition) {
870
- return;
871
- }
872
- if (isProduction) {
873
- throw new Error(prefix);
874
- }
875
- var provided = typeof message === 'function' ? message() : message;
876
- var value = provided ? "".concat(prefix, ": ").concat(provided) : prefix;
877
- throw new Error(value);
878
- }
879
-
880
- // type UnionToIntersection<U> = (U extends any ? (k: U) => void : never) extends (
881
- // k: infer I,
882
- // ) => any
883
- // ? I
884
- // : never
885
-
886
- /**
887
- * This function returns `a` if `b` is deeply equal.
888
- * If not, it will replace any deeply equal children of `b` with those of `a`.
889
- * This can be used for structural sharing between JSON values for example.
890
- */
891
- function replaceEqualDeep(prev, next) {
892
- if (prev === next) {
893
- return prev;
894
- }
895
-
896
- const array = Array.isArray(prev) && Array.isArray(next);
897
-
898
- if (array || isPlainObject(prev) && isPlainObject(next)) {
899
- const aSize = array ? prev.length : Object.keys(prev).length;
900
- const bItems = array ? next : Object.keys(next);
901
- const bSize = bItems.length;
902
- const copy = array ? [] : {};
903
- let equalItems = 0;
904
-
905
- for (let i = 0; i < bSize; i++) {
906
- const key = array ? i : bItems[i];
907
- copy[key] = replaceEqualDeep(prev[key], next[key]);
908
-
909
- if (copy[key] === prev[key]) {
910
- equalItems++;
911
- }
912
- }
913
-
914
- return aSize === bSize && equalItems === aSize ? prev : copy;
915
- }
916
-
917
- return next;
918
- } // Copied from: https://github.com/jonschlinkert/is-plain-object
919
-
920
- function isPlainObject(o) {
921
- if (!hasObjectPrototype(o)) {
922
- return false;
923
- } // If has modified constructor
924
-
925
-
926
- const ctor = o.constructor;
927
-
928
- if (typeof ctor === 'undefined') {
929
- return true;
930
- } // If has modified prototype
931
-
932
-
933
- const prot = ctor.prototype;
934
-
935
- if (!hasObjectPrototype(prot)) {
936
- return false;
937
- } // If constructor does not have an Object-specific method
938
-
939
-
940
- if (!prot.hasOwnProperty('isPrototypeOf')) {
941
- return false;
942
- } // Most likely a plain Object
943
-
944
-
945
- return true;
946
- }
947
-
948
- function hasObjectPrototype(o) {
949
- return Object.prototype.toString.call(o) === '[object Object]';
950
- }
951
-
952
- function last(arr) {
953
- return arr[arr.length - 1];
954
- }
955
- function warning(cond, message) {
956
- if (cond) {
957
- if (typeof console !== 'undefined') console.warn(message);
958
-
959
- try {
960
- throw new Error(message);
961
- } catch (_unused) {}
962
- }
963
-
964
- return true;
965
- }
966
-
967
- function isFunction(d) {
968
- return typeof d === 'function';
969
- }
970
-
971
- function functionalUpdate(updater, previous) {
972
- if (isFunction(updater)) {
973
- return updater(previous);
974
- }
975
-
976
- return updater;
977
- }
978
- function pick(parent, keys) {
979
- return keys.reduce((obj, key) => {
980
- obj[key] = parent[key];
981
- return obj;
982
- }, {});
983
- }
984
-
985
- function joinPaths(paths) {
986
- return cleanPath(paths.filter(Boolean).join('/'));
987
- }
988
- function cleanPath(path) {
989
- // remove double slashes
990
- return path.replace(/\/{2,}/g, '/');
991
- }
992
- function trimPathLeft(path) {
993
- return path === '/' ? path : path.replace(/^\/{1,}/, '');
994
- }
995
- function trimPathRight(path) {
996
- return path === '/' ? path : path.replace(/\/{1,}$/, '');
997
- }
998
- function trimPath(path) {
999
- return trimPathRight(trimPathLeft(path));
1000
- }
1001
- function resolvePath(basepath, base, to) {
1002
- base = base.replace(new RegExp("^" + basepath), '/');
1003
- to = to.replace(new RegExp("^" + basepath), '/');
1004
- let baseSegments = parsePathname(base);
1005
- const toSegments = parsePathname(to);
1006
- toSegments.forEach((toSegment, index) => {
1007
- if (toSegment.value === '/') {
1008
- if (!index) {
1009
- // Leading slash
1010
- baseSegments = [toSegment];
1011
- } else if (index === toSegments.length - 1) {
1012
- // Trailing Slash
1013
- baseSegments.push(toSegment);
1014
- } else ;
1015
- } else if (toSegment.value === '..') {
1016
- var _last;
1017
-
1018
- // Extra trailing slash? pop it off
1019
- if (baseSegments.length > 1 && ((_last = last(baseSegments)) == null ? void 0 : _last.value) === '/') {
1020
- baseSegments.pop();
1021
- }
1022
-
1023
- baseSegments.pop();
1024
- } else if (toSegment.value === '.') {
1025
- return;
1026
- } else {
1027
- baseSegments.push(toSegment);
1028
- }
1029
- });
1030
- const joined = joinPaths([basepath, ...baseSegments.map(d => d.value)]);
1031
- return cleanPath(joined);
1032
- }
1033
- function parsePathname(pathname) {
1034
- if (!pathname) {
1035
- return [];
1036
- }
1037
-
1038
- pathname = cleanPath(pathname);
1039
- const segments = [];
1040
-
1041
- if (pathname.slice(0, 1) === '/') {
1042
- pathname = pathname.substring(1);
1043
- segments.push({
1044
- type: 'pathname',
1045
- value: '/'
1046
- });
1047
- }
1048
-
1049
- if (!pathname) {
1050
- return segments;
1051
- } // Remove empty segments and '.' segments
1052
-
1053
-
1054
- const split = pathname.split('/').filter(Boolean);
1055
- segments.push(...split.map(part => {
1056
- if (part.startsWith('*')) {
1057
- return {
1058
- type: 'wildcard',
1059
- value: part
1060
- };
1061
- }
1062
-
1063
- if (part.charAt(0) === ':') {
1064
- return {
1065
- type: 'param',
1066
- value: part
1067
- };
1068
- }
1069
-
1070
- return {
1071
- type: 'pathname',
1072
- value: part
1073
- };
1074
- }));
1075
-
1076
- if (pathname.slice(-1) === '/') {
1077
- pathname = pathname.substring(1);
1078
- segments.push({
1079
- type: 'pathname',
1080
- value: '/'
1081
- });
1082
- }
1083
-
1084
- return segments;
1085
- }
1086
- function interpolatePath(path, params, leaveWildcard) {
1087
- const interpolatedPathSegments = parsePathname(path);
1088
- return joinPaths(interpolatedPathSegments.map(segment => {
1089
- if (segment.value === '*' && !leaveWildcard) {
1090
- return '';
1091
- }
1092
-
1093
- if (segment.type === 'param') {
1094
- var _segment$value$substr;
1095
-
1096
- return (_segment$value$substr = params[segment.value.substring(1)]) != null ? _segment$value$substr : '';
1097
- }
1098
-
1099
- return segment.value;
1100
- }));
1101
- }
1102
- function matchPathname(currentPathname, matchLocation) {
1103
- const pathParams = matchByPath(currentPathname, matchLocation); // const searchMatched = matchBySearch(currentLocation.search, matchLocation)
1104
-
1105
- if (matchLocation.to && !pathParams) {
1106
- return;
1107
- } // if (matchLocation.search && !searchMatched) {
1108
- // return
1109
- // }
1110
-
1111
-
1112
- return pathParams != null ? pathParams : {};
1113
- }
1114
- function matchByPath(from, matchLocation) {
1115
- var _matchLocation$to;
1116
-
1117
- const baseSegments = parsePathname(from);
1118
- const routeSegments = parsePathname("" + ((_matchLocation$to = matchLocation.to) != null ? _matchLocation$to : '*'));
1119
- const params = {};
1120
-
1121
- let isMatch = (() => {
1122
- for (let i = 0; i < Math.max(baseSegments.length, routeSegments.length); i++) {
1123
- const baseSegment = baseSegments[i];
1124
- const routeSegment = routeSegments[i];
1125
- const isLastRouteSegment = i === routeSegments.length - 1;
1126
- const isLastBaseSegment = i === baseSegments.length - 1;
1127
-
1128
- if (routeSegment) {
1129
- if (routeSegment.type === 'wildcard') {
1130
- if (baseSegment != null && baseSegment.value) {
1131
- params['*'] = joinPaths(baseSegments.slice(i).map(d => d.value));
1132
- return true;
1133
- }
1134
-
1135
- return false;
1136
- }
1137
-
1138
- if (routeSegment.type === 'pathname') {
1139
- if (routeSegment.value === '/' && !(baseSegment != null && baseSegment.value)) {
1140
- return true;
1141
- }
1142
-
1143
- if (baseSegment) {
1144
- if (matchLocation.caseSensitive) {
1145
- if (routeSegment.value !== baseSegment.value) {
1146
- return false;
1147
- }
1148
- } else if (routeSegment.value.toLowerCase() !== baseSegment.value.toLowerCase()) {
1149
- return false;
1150
- }
1151
- }
1152
- }
1153
-
1154
- if (!baseSegment) {
1155
- return false;
1156
- }
1157
-
1158
- if (routeSegment.type === 'param') {
1159
- if ((baseSegment == null ? void 0 : baseSegment.value) === '/') {
1160
- return false;
1161
- }
1162
-
1163
- if (!baseSegment.value.startsWith(':')) {
1164
- params[routeSegment.value.substring(1)] = baseSegment.value;
1165
- }
1166
- }
1167
- }
1168
-
1169
- if (isLastRouteSegment && !isLastBaseSegment) {
1170
- return !!matchLocation.fuzzy;
1171
- }
1172
- }
1173
-
1174
- return true;
1175
- })();
1176
-
1177
- return isMatch ? params : undefined;
1178
- }
1179
-
1180
- // @ts-nocheck
1181
- // qss has been slightly modified and inlined here for our use cases (and compression's sake). We've included it as a hard dependency for MIT license attribution.
1182
- function encode(obj, pfx) {
1183
- var k,
1184
- i,
1185
- tmp,
1186
- str = '';
1187
-
1188
- for (k in obj) {
1189
- if ((tmp = obj[k]) !== void 0) {
1190
- if (Array.isArray(tmp)) {
1191
- for (i = 0; i < tmp.length; i++) {
1192
- str && (str += '&');
1193
- str += encodeURIComponent(k) + '=' + encodeURIComponent(tmp[i]);
1194
- }
1195
- } else {
1196
- str && (str += '&');
1197
- str += encodeURIComponent(k) + '=' + encodeURIComponent(tmp);
1198
- }
1199
- }
1200
- }
1201
-
1202
- return (pfx || '') + str;
1203
- }
1204
-
1205
- function toValue(mix) {
1206
- if (!mix) return '';
1207
- var str = decodeURIComponent(mix);
1208
- if (str === 'false') return false;
1209
- if (str === 'true') return true;
1210
- if (str.charAt(0) === '0') return str;
1211
- return +str * 0 === 0 ? +str : str;
1212
- }
1213
-
1214
- function decode(str) {
1215
- var tmp,
1216
- k,
1217
- out = {},
1218
- arr = str.split('&');
1219
-
1220
- while (tmp = arr.shift()) {
1221
- tmp = tmp.split('=');
1222
- k = tmp.shift();
1223
-
1224
- if (out[k] !== void 0) {
1225
- out[k] = [].concat(out[k], toValue(tmp.shift()));
1226
- } else {
1227
- out[k] = toValue(tmp.shift());
1228
- }
1229
- }
1230
-
1231
- return out;
1232
- }
1233
-
1234
- function _extends() {
1235
- _extends = Object.assign ? Object.assign.bind() : function (target) {
1236
- for (var i = 1; i < arguments.length; i++) {
1237
- var source = arguments[i];
1238
-
1239
- for (var key in source) {
1240
- if (Object.prototype.hasOwnProperty.call(source, key)) {
1241
- target[key] = source[key];
1242
- }
1243
- }
1244
- }
1245
-
1246
- return target;
1247
- };
1248
- return _extends.apply(this, arguments);
1249
- }
1250
-
1251
- function createRoute(routeConfig, options, parent, router) {
1252
- const {
1253
- id,
1254
- routeId,
1255
- path: routePath,
1256
- fullPath
1257
- } = routeConfig;
1258
-
1259
- const action = router.state.actions[id] || (() => {
1260
- router.state.actions[id] = {
1261
- submissions: [],
1262
- submit: async (submission, actionOpts) => {
1263
- var _actionOpts$invalidat;
1264
-
1265
- if (!route) {
1266
- return;
1267
- }
1268
-
1269
- const invalidate = (_actionOpts$invalidat = actionOpts == null ? void 0 : actionOpts.invalidate) != null ? _actionOpts$invalidat : true;
1270
-
1271
- if (!(actionOpts != null && actionOpts.multi)) {
1272
- action.submissions = action.submissions.filter(d => d.isMulti);
1273
- }
1274
-
1275
- const actionState = {
1276
- submittedAt: Date.now(),
1277
- status: 'pending',
1278
- submission,
1279
- isMulti: !!(actionOpts != null && actionOpts.multi)
1280
- };
1281
- action.current = actionState;
1282
- action.latest = actionState;
1283
- action.submissions.push(actionState);
1284
- router.notify();
1285
-
1286
- try {
1287
- const res = await (route.options.action == null ? void 0 : route.options.action(submission));
1288
- actionState.data = res;
1289
-
1290
- if (invalidate) {
1291
- router.invalidateRoute({
1292
- to: '.',
1293
- fromCurrent: true
1294
- });
1295
- await router.reload();
1296
- }
1297
-
1298
- actionState.status = 'success';
1299
- return res;
1300
- } catch (err) {
1301
- console.error(err);
1302
- actionState.error = err;
1303
- actionState.status = 'error';
1304
- } finally {
1305
- router.notify();
1306
- }
1307
- }
1308
- };
1309
- return router.state.actions[id];
1310
- })();
1311
-
1312
- const loader = router.state.loaders[id] || (() => {
1313
- router.state.loaders[id] = {
1314
- pending: [],
1315
- fetch: async loaderContext => {
1316
- if (!route) {
1317
- return;
1318
- }
1319
-
1320
- const loaderState = {
1321
- loadedAt: Date.now(),
1322
- loaderContext
1323
- };
1324
- loader.current = loaderState;
1325
- loader.latest = loaderState;
1326
- loader.pending.push(loaderState); // router.state = {
1327
- // ...router.state,
1328
- // currentAction: loaderState,
1329
- // latestAction: loaderState,
1330
- // }
1331
-
1332
- router.notify();
1333
-
1334
- try {
1335
- return await (route.options.loader == null ? void 0 : route.options.loader(loaderContext));
1336
- } finally {
1337
- loader.pending = loader.pending.filter(d => d !== loaderState); // router.removeActionQueue.push({ loader, loaderState })
1338
-
1339
- router.notify();
1340
- }
1341
- }
1342
- };
1343
- return router.state.loaders[id];
1344
- })();
1345
-
1346
- let route = {
1347
- routeId: id,
1348
- routeRouteId: routeId,
1349
- routePath,
1350
- fullPath,
1351
- options,
1352
- router,
1353
- childRoutes: undefined,
1354
- parentRoute: parent,
1355
- action,
1356
- loader: loader,
1357
- buildLink: options => {
1358
- return router.buildLink(_extends({}, options, {
1359
- from: fullPath
1360
- }));
1361
- },
1362
- navigate: options => {
1363
- return router.navigate(_extends({}, options, {
1364
- from: fullPath
1365
- }));
1366
- },
1367
- matchRoute: (matchLocation, opts) => {
1368
- return router.matchRoute(_extends({}, matchLocation, {
1369
- from: fullPath
1370
- }), opts);
1371
- }
1372
- };
1373
- router.options.createRoute == null ? void 0 : router.options.createRoute({
1374
- router,
1375
- route
1376
- });
1377
- return route;
1378
- }
1379
-
1380
- const rootRouteId = '__root__';
1381
- const createRouteConfig = function createRouteConfig(options, children, isRoot, parentId, parentPath) {
1382
- if (options === void 0) {
1383
- options = {};
1384
- }
1385
-
1386
- if (isRoot === void 0) {
1387
- isRoot = true;
1388
- }
1389
-
1390
- if (isRoot) {
1391
- options.path = rootRouteId;
1392
- } // Strip the root from parentIds
1393
-
1394
-
1395
- if (parentId === rootRouteId) {
1396
- parentId = '';
1397
- }
1398
-
1399
- let path = isRoot ? rootRouteId : options.path; // If the path is anything other than an index path, trim it up
1400
-
1401
- if (path && path !== '/') {
1402
- path = trimPath(path);
1403
- }
1404
-
1405
- const routeId = path || options.id;
1406
- let id = joinPaths([parentId, routeId]);
1407
-
1408
- if (path === rootRouteId) {
1409
- path = '/';
1410
- }
1411
-
1412
- if (id !== rootRouteId) {
1413
- id = joinPaths(['/', id]);
1414
- }
1415
-
1416
- const fullPath = id === rootRouteId ? '/' : trimPathRight(joinPaths([parentPath, path]));
1417
- return {
1418
- id: id,
1419
- routeId: routeId,
1420
- path: path,
1421
- fullPath: fullPath,
1422
- options: options,
1423
- children,
1424
- createChildren: cb => createRouteConfig(options, cb(childOptions => createRouteConfig(childOptions, undefined, false, id, fullPath)), false, parentId, parentPath),
1425
- addChildren: children => createRouteConfig(options, children, false, parentId, parentPath),
1426
- createRoute: childOptions => createRouteConfig(childOptions, undefined, false, id, fullPath)
1427
- };
1428
- };
1429
-
1430
- const componentTypes = ['component', 'errorComponent', 'pendingComponent'];
1431
- function createRouteMatch(router, route, opts) {
1432
- const routeMatch = _extends({}, route, opts, {
1433
- router,
1434
- routeSearch: {},
1435
- search: {},
1436
- childMatches: [],
1437
- status: 'idle',
1438
- routeLoaderData: {},
1439
- loaderData: {},
1440
- isFetching: false,
1441
- isInvalid: false,
1442
- invalidAt: Infinity,
1443
- // pendingActions: [],
1444
- getIsInvalid: () => {
1445
- const now = Date.now();
1446
- return routeMatch.isInvalid || routeMatch.invalidAt < now;
1447
- },
1448
- __: {
1449
- abortController: new AbortController(),
1450
- latestId: '',
1451
- resolve: () => {},
1452
- notify: () => {
1453
- routeMatch.__.resolve();
1454
-
1455
- routeMatch.router.notify();
1456
- },
1457
- validate: () => {
1458
- var _routeMatch$parentMat, _routeMatch$parentMat2;
1459
-
1460
- // Validate the search params and stabilize them
1461
- const parentSearch = (_routeMatch$parentMat = (_routeMatch$parentMat2 = routeMatch.parentMatch) == null ? void 0 : _routeMatch$parentMat2.search) != null ? _routeMatch$parentMat : router.location.search;
1462
-
1463
- try {
1464
- var _validator;
1465
-
1466
- const prevSearch = routeMatch.routeSearch;
1467
- const validator = typeof routeMatch.options.validateSearch === 'object' ? routeMatch.options.validateSearch.parse : routeMatch.options.validateSearch;
1468
- let nextSearch = replaceEqualDeep(prevSearch, (_validator = validator == null ? void 0 : validator(parentSearch)) != null ? _validator : {}); // Invalidate route matches when search param stability changes
1469
-
1470
- if (prevSearch !== nextSearch) {
1471
- routeMatch.isInvalid = true;
1472
- }
1473
-
1474
- routeMatch.routeSearch = nextSearch;
1475
- routeMatch.search = replaceEqualDeep(parentSearch, _extends({}, parentSearch, nextSearch));
1476
- componentTypes.map(async type => {
1477
- const component = routeMatch.options[type];
1478
-
1479
- if (typeof routeMatch.__[type] !== 'function') {
1480
- routeMatch.__[type] = component;
1481
- }
1482
- });
1483
- } catch (err) {
1484
- console.error(err);
1485
- const error = new Error('Invalid search params found', {
1486
- cause: err
1487
- });
1488
- error.code = 'INVALID_SEARCH_PARAMS';
1489
- routeMatch.status = 'error';
1490
- routeMatch.error = error; // Do not proceed with loading the route
1491
-
1492
- return;
1493
- }
1494
- }
1495
- },
1496
- cancel: () => {
1497
- var _routeMatch$__$abortC;
1498
-
1499
- (_routeMatch$__$abortC = routeMatch.__.abortController) == null ? void 0 : _routeMatch$__$abortC.abort();
1500
- },
1501
- invalidate: () => {
1502
- routeMatch.isInvalid = true;
1503
- },
1504
- hasLoaders: () => {
1505
- return !!(route.options.loader || componentTypes.some(d => {
1506
- var _route$options$d;
1507
-
1508
- return (_route$options$d = route.options[d]) == null ? void 0 : _route$options$d.preload;
1509
- }));
1510
- },
1511
- load: async loaderOpts => {
1512
- const now = Date.now();
1513
- const minMaxAge = loaderOpts != null && loaderOpts.preload ? Math.max(loaderOpts == null ? void 0 : loaderOpts.maxAge, loaderOpts == null ? void 0 : loaderOpts.gcMaxAge) : 0; // If this is a preload, add it to the preload cache
1514
-
1515
- if (loaderOpts != null && loaderOpts.preload && minMaxAge > 0) {
1516
- // If the match is currently active, don't preload it
1517
- if (router.state.matches.find(d => d.matchId === routeMatch.matchId)) {
1518
- return;
1519
- }
1520
-
1521
- router.matchCache[routeMatch.matchId] = {
1522
- gc: now + loaderOpts.gcMaxAge,
1523
- match: routeMatch
1524
- };
1525
- } // If the match is invalid, errored or idle, trigger it to load
1526
-
1527
-
1528
- if (routeMatch.status === 'success' && routeMatch.getIsInvalid() || routeMatch.status === 'error' || routeMatch.status === 'idle') {
1529
- const maxAge = loaderOpts != null && loaderOpts.preload ? loaderOpts == null ? void 0 : loaderOpts.maxAge : undefined;
1530
- await routeMatch.fetch({
1531
- maxAge
1532
- });
1533
- }
1534
- },
1535
- fetch: async opts => {
1536
- const loadId = '' + Date.now() + Math.random();
1537
- routeMatch.__.latestId = loadId;
1538
-
1539
- const checkLatest = async () => {
1540
- if (loadId !== routeMatch.__.latestId) {
1541
- // warning(true, 'Data loader is out of date!')
1542
- return new Promise(() => {});
1543
- }
1544
- }; // If the match was in an error state, set it
1545
- // to a loading state again. Otherwise, keep it
1546
- // as loading or resolved
1547
-
1548
-
1549
- if (routeMatch.status === 'idle') {
1550
- routeMatch.status = 'loading';
1551
- } // We started loading the route, so it's no longer invalid
1552
-
1553
-
1554
- routeMatch.isInvalid = false;
1555
- routeMatch.__.loadPromise = new Promise(async resolve => {
1556
- // We are now fetching, even if it's in the background of a
1557
- // resolved state
1558
- routeMatch.isFetching = true;
1559
- routeMatch.__.resolve = resolve;
1560
-
1561
- routeMatch.__.componentsPromise = (async () => {
1562
- // then run all component and data loaders in parallel
1563
- // For each component type, potentially load it asynchronously
1564
- await Promise.all(componentTypes.map(async type => {
1565
- var _routeMatch$__$type;
1566
-
1567
- const component = routeMatch.options[type];
1568
-
1569
- if ((_routeMatch$__$type = routeMatch.__[type]) != null && _routeMatch$__$type.preload) {
1570
- routeMatch.__[type] = await router.options.loadComponent(component);
1571
- }
1572
- }));
1573
- })();
1574
-
1575
- routeMatch.__.dataPromise = Promise.resolve().then(async () => {
1576
- try {
1577
- var _ref, _ref2, _opts$maxAge;
1578
-
1579
- if (routeMatch.options.loader) {
1580
- const data = await router.loadMatchData(routeMatch);
1581
- await checkLatest();
1582
- routeMatch.routeLoaderData = replaceEqualDeep(routeMatch.routeLoaderData, data);
1583
- }
1584
-
1585
- routeMatch.error = undefined;
1586
- routeMatch.status = 'success';
1587
- routeMatch.updatedAt = Date.now();
1588
- routeMatch.invalidAt = routeMatch.updatedAt + ((_ref = (_ref2 = (_opts$maxAge = opts == null ? void 0 : opts.maxAge) != null ? _opts$maxAge : routeMatch.options.loaderMaxAge) != null ? _ref2 : router.options.defaultLoaderMaxAge) != null ? _ref : 0);
1589
- return routeMatch.routeLoaderData;
1590
- } catch (err) {
1591
- await checkLatest();
1592
-
1593
- if (process.env.NODE_ENV !== 'production') {
1594
- console.error(err);
1595
- }
1596
-
1597
- routeMatch.error = err;
1598
- routeMatch.status = 'error';
1599
- routeMatch.updatedAt = Date.now();
1600
- throw err;
1601
- }
1602
- });
1603
-
1604
- const after = async () => {
1605
- await checkLatest();
1606
- routeMatch.isFetching = false;
1607
- delete routeMatch.__.loadPromise;
1608
-
1609
- routeMatch.__.notify();
1610
- };
1611
-
1612
- try {
1613
- await Promise.all([routeMatch.__.componentsPromise, routeMatch.__.dataPromise.catch(() => {})]);
1614
- after();
1615
- } catch (_unused) {
1616
- after();
1617
- }
1618
- });
1619
- await routeMatch.__.loadPromise;
1620
- await checkLatest();
1621
- }
1622
- });
1623
-
1624
- if (!routeMatch.hasLoaders()) {
1625
- routeMatch.status = 'success';
1626
- }
1627
-
1628
- return routeMatch;
1629
- }
1630
-
1631
- const defaultParseSearch = parseSearchWith(JSON.parse);
1632
- const defaultStringifySearch = stringifySearchWith(JSON.stringify);
1633
- function parseSearchWith(parser) {
1634
- return searchStr => {
1635
- if (searchStr.substring(0, 1) === '?') {
1636
- searchStr = searchStr.substring(1);
1637
- }
1638
-
1639
- let query = decode(searchStr); // Try to parse any query params that might be json
1640
-
1641
- for (let key in query) {
1642
- const value = query[key];
1643
-
1644
- if (typeof value === 'string') {
1645
- try {
1646
- query[key] = parser(value);
1647
- } catch (err) {//
1648
- }
1649
- }
1650
- }
1651
-
1652
- return query;
1653
- };
1654
- }
1655
- function stringifySearchWith(stringify) {
1656
- return search => {
1657
- search = _extends({}, search);
1658
-
1659
- if (search) {
1660
- Object.keys(search).forEach(key => {
1661
- const val = search[key];
1662
-
1663
- if (typeof val === 'undefined' || val === undefined) {
1664
- delete search[key];
1665
- } else if (val && typeof val === 'object' && val !== null) {
1666
- try {
1667
- search[key] = stringify(val);
1668
- } catch (err) {// silent
1669
- }
1670
- }
1671
- });
1672
- }
1673
-
1674
- const searchStr = encode(search).toString();
1675
- return searchStr ? "?" + searchStr : '';
1676
- };
1677
- }
1678
-
1679
- var _window$document;
1680
- // Detect if we're in the DOM
1681
- const isServer = typeof window === 'undefined' || !((_window$document = window.document) != null && _window$document.createElement); // This is the default history object if none is defined
1682
-
1683
- const createDefaultHistory = () => isServer ? createMemoryHistory() : createBrowserHistory();
1684
-
1685
- function getInitialRouterState() {
1686
- return {
1687
- status: 'idle',
1688
- location: null,
1689
- matches: [],
1690
- actions: {},
1691
- loaders: {},
1692
- lastUpdated: Date.now(),
1693
- isFetching: false,
1694
- isPreloading: false
1695
- };
1696
- }
1697
-
1698
- function createRouter(userOptions) {
1699
- var _userOptions$stringif, _userOptions$parseSea;
1700
-
1701
- const history = (userOptions == null ? void 0 : userOptions.history) || createDefaultHistory();
1702
-
1703
- const originalOptions = _extends({
1704
- defaultLoaderGcMaxAge: 5 * 60 * 1000,
1705
- defaultLoaderMaxAge: 0,
1706
- defaultPreloadMaxAge: 2000,
1707
- defaultPreloadDelay: 50
1708
- }, userOptions, {
1709
- stringifySearch: (_userOptions$stringif = userOptions == null ? void 0 : userOptions.stringifySearch) != null ? _userOptions$stringif : defaultStringifySearch,
1710
- parseSearch: (_userOptions$parseSea = userOptions == null ? void 0 : userOptions.parseSearch) != null ? _userOptions$parseSea : defaultParseSearch
1711
- });
1712
-
1713
- let router = {
1714
- types: undefined,
1715
- // public api
1716
- history,
1717
- options: originalOptions,
1718
- listeners: [],
1719
- // Resolved after construction
1720
- basepath: '',
1721
- routeTree: undefined,
1722
- routesById: {},
1723
- location: undefined,
1724
- //
1725
- navigationPromise: Promise.resolve(),
1726
- resolveNavigation: () => {},
1727
- matchCache: {},
1728
- state: getInitialRouterState(),
1729
- reset: () => {
1730
- router.state = getInitialRouterState();
1731
- router.notify();
1732
- },
1733
- startedLoadingAt: Date.now(),
1734
- subscribe: listener => {
1735
- router.listeners.push(listener);
1736
- return () => {
1737
- router.listeners = router.listeners.filter(x => x !== listener);
1738
- };
1739
- },
1740
- getRoute: id => {
1741
- return router.routesById[id];
1742
- },
1743
- notify: () => {
1744
- const isFetching = router.state.status === 'loading' || router.state.matches.some(d => d.isFetching);
1745
- const isPreloading = Object.values(router.matchCache).some(d => d.match.isFetching && !router.state.matches.find(dd => dd.matchId === d.match.matchId));
1746
-
1747
- if (router.state.isFetching !== isFetching || router.state.isPreloading !== isPreloading) {
1748
- router.state = _extends({}, router.state, {
1749
- isFetching,
1750
- isPreloading
1751
- });
1752
- }
1753
-
1754
- cascadeLoaderData(router.state.matches);
1755
- router.listeners.forEach(listener => listener(router));
1756
- },
1757
- dehydrateState: () => {
1758
- return _extends({}, pick(router.state, ['status', 'location', 'lastUpdated']), {
1759
- matches: router.state.matches.map(match => pick(match, ['matchId', 'status', 'routeLoaderData', 'loaderData', 'isInvalid', 'invalidAt']))
1760
- });
1761
- },
1762
- hydrateState: dehydratedState => {
1763
- // Match the routes
1764
- const matches = router.matchRoutes(router.location.pathname, {
1765
- strictParseParams: true
1766
- });
1767
- matches.forEach((match, index) => {
1768
- const dehydratedMatch = dehydratedState.matches[index];
1769
- invariant(dehydratedMatch, 'Oh no! Dehydrated route matches did not match the active state of the router 😬');
1770
- Object.assign(match, dehydratedMatch);
1771
- });
1772
- matches.forEach(match => match.__.validate());
1773
- router.state = _extends({}, router.state, dehydratedState, {
1774
- matches
1775
- });
1776
- },
1777
- mount: () => {
1778
- const next = router.__.buildLocation({
1779
- to: '.',
1780
- search: true,
1781
- hash: true
1782
- }); // If the current location isn't updated, trigger a navigation
1783
- // to the current location. Otherwise, load the current location.
1784
-
1785
-
1786
- if (next.href !== router.location.href) {
1787
- router.__.commitLocation(next, true);
1788
- }
1789
-
1790
- if (!router.state.matches.length) {
1791
- router.load();
1792
- }
1793
-
1794
- const unsub = router.history.listen(event => {
1795
- router.load(router.__.parseLocation(event.location, router.location));
1796
- }); // addEventListener does not exist in React Native, but window does
1797
- // eslint-disable-next-line @typescript-eslint/no-unnecessary-condition
1798
-
1799
- if (!isServer && window.addEventListener) {
1800
- // Listen to visibillitychange and focus
1801
- window.addEventListener('visibilitychange', router.onFocus, false);
1802
- window.addEventListener('focus', router.onFocus, false);
1803
- }
1804
-
1805
- return () => {
1806
- unsub();
1807
-
1808
- if (!isServer && window.removeEventListener) {
1809
- // Be sure to unsubscribe if a new handler is set
1810
- window.removeEventListener('visibilitychange', router.onFocus);
1811
- window.removeEventListener('focus', router.onFocus);
1812
- }
1813
- };
1814
- },
1815
- onFocus: () => {
1816
- router.load();
1817
- },
1818
- update: opts => {
1819
- const newHistory = (opts == null ? void 0 : opts.history) !== router.history;
1820
-
1821
- if (!router.location || newHistory) {
1822
- if (opts != null && opts.history) {
1823
- router.history = opts.history;
1824
- }
1825
-
1826
- router.location = router.__.parseLocation(router.history.location);
1827
- router.state.location = router.location;
1828
- }
1829
-
1830
- Object.assign(router.options, opts);
1831
- const {
1832
- basepath,
1833
- routeConfig
1834
- } = router.options;
1835
- router.basepath = cleanPath("/" + (basepath != null ? basepath : ''));
1836
-
1837
- if (routeConfig) {
1838
- router.routesById = {};
1839
- router.routeTree = router.__.buildRouteTree(routeConfig);
1840
- }
1841
-
1842
- return router;
1843
- },
1844
- cancelMatches: () => {
1845
- var _router$state$pending, _router$state$pending2;
1846
- [...router.state.matches, ...((_router$state$pending = (_router$state$pending2 = router.state.pending) == null ? void 0 : _router$state$pending2.matches) != null ? _router$state$pending : [])].forEach(match => {
1847
- match.cancel();
1848
- });
1849
- },
1850
- load: async next => {
1851
- const id = Math.random();
1852
- router.startedLoadingAt = id;
1853
-
1854
- if (next) {
1855
- // Ingest the new location
1856
- router.location = next;
1857
- } // Cancel any pending matches
1858
-
1859
-
1860
- router.cancelMatches(); // Match the routes
1861
-
1862
- const matches = router.matchRoutes(router.location.pathname, {
1863
- strictParseParams: true
1864
- });
1865
-
1866
- if (typeof document !== 'undefined') {
1867
- router.state = _extends({}, router.state, {
1868
- pending: {
1869
- matches: matches,
1870
- location: router.location
1871
- },
1872
- status: 'loading'
1873
- });
1874
- } else {
1875
- router.state = _extends({}, router.state, {
1876
- matches: matches,
1877
- location: router.location,
1878
- status: 'loading'
1879
- });
1880
- }
1881
-
1882
- router.notify(); // Load the matches
1883
-
1884
- await router.loadMatches(matches);
1885
-
1886
- if (router.startedLoadingAt !== id) {
1887
- // Ignore side-effects of match loading
1888
- return router.navigationPromise;
1889
- }
1890
-
1891
- const previousMatches = router.state.matches;
1892
- const exiting = [],
1893
- staying = [];
1894
- previousMatches.forEach(d => {
1895
- if (matches.find(dd => dd.matchId === d.matchId)) {
1896
- staying.push(d);
1897
- } else {
1898
- exiting.push(d);
1899
- }
1900
- });
1901
- const entering = matches.filter(d => {
1902
- return !previousMatches.find(dd => dd.matchId === d.matchId);
1903
- });
1904
- const now = Date.now();
1905
- exiting.forEach(d => {
1906
- var _ref, _d$options$loaderGcMa, _ref2, _d$options$loaderMaxA;
1907
-
1908
- d.__.onExit == null ? void 0 : d.__.onExit({
1909
- params: d.params,
1910
- search: d.routeSearch
1911
- }); // Clear idle error states when match leaves
1912
-
1913
- if (d.status === 'error' && !d.isFetching) {
1914
- d.status = 'idle';
1915
- d.error = undefined;
1916
- }
1917
-
1918
- const gc = Math.max((_ref = (_d$options$loaderGcMa = d.options.loaderGcMaxAge) != null ? _d$options$loaderGcMa : router.options.defaultLoaderGcMaxAge) != null ? _ref : 0, (_ref2 = (_d$options$loaderMaxA = d.options.loaderMaxAge) != null ? _d$options$loaderMaxA : router.options.defaultLoaderMaxAge) != null ? _ref2 : 0);
1919
-
1920
- if (gc > 0) {
1921
- router.matchCache[d.matchId] = {
1922
- gc: gc == Infinity ? Number.MAX_SAFE_INTEGER : now + gc,
1923
- match: d
1924
- };
1925
- }
1926
- });
1927
- staying.forEach(d => {
1928
- d.options.onTransition == null ? void 0 : d.options.onTransition({
1929
- params: d.params,
1930
- search: d.routeSearch
1931
- });
1932
- });
1933
- entering.forEach(d => {
1934
- d.__.onExit = d.options.onMatch == null ? void 0 : d.options.onMatch({
1935
- params: d.params,
1936
- search: d.search
1937
- });
1938
- delete router.matchCache[d.matchId];
1939
- });
1940
-
1941
- if (router.startedLoadingAt !== id) {
1942
- // Ignore side-effects of match loading
1943
- return;
1944
- }
1945
-
1946
- matches.forEach(match => {
1947
- // Clear actions
1948
- if (match.action) {
1949
- match.action.current = undefined;
1950
- match.action.submissions = [];
1951
- }
1952
- });
1953
- router.state = _extends({}, router.state, {
1954
- location: router.location,
1955
- matches,
1956
- pending: undefined,
1957
- status: 'idle'
1958
- });
1959
- router.notify();
1960
- router.resolveNavigation();
1961
- },
1962
- cleanMatchCache: () => {
1963
- const now = Date.now();
1964
- Object.keys(router.matchCache).forEach(matchId => {
1965
- const entry = router.matchCache[matchId]; // Don't remove loading matches
1966
-
1967
- if (entry.match.status === 'loading') {
1968
- return;
1969
- } // Do not remove successful matches that are still valid
1970
-
1971
-
1972
- if (entry.gc > 0 && entry.gc > now) {
1973
- return;
1974
- } // Everything else gets removed
1975
-
1976
-
1977
- delete router.matchCache[matchId];
1978
- });
1979
- },
1980
- loadRoute: async function loadRoute(navigateOpts) {
1981
- if (navigateOpts === void 0) {
1982
- navigateOpts = router.location;
1983
- }
1984
-
1985
- const next = router.buildNext(navigateOpts);
1986
- const matches = router.matchRoutes(next.pathname, {
1987
- strictParseParams: true
1988
- });
1989
- await router.loadMatches(matches);
1990
- return matches;
1991
- },
1992
- preloadRoute: async function preloadRoute(navigateOpts, loaderOpts) {
1993
- var _ref3, _ref4, _loaderOpts$maxAge, _ref5, _ref6, _loaderOpts$gcMaxAge;
1994
-
1995
- if (navigateOpts === void 0) {
1996
- navigateOpts = router.location;
1997
- }
1998
-
1999
- const next = router.buildNext(navigateOpts);
2000
- const matches = router.matchRoutes(next.pathname, {
2001
- strictParseParams: true
2002
- });
2003
- await router.loadMatches(matches, {
2004
- preload: true,
2005
- maxAge: (_ref3 = (_ref4 = (_loaderOpts$maxAge = loaderOpts.maxAge) != null ? _loaderOpts$maxAge : router.options.defaultPreloadMaxAge) != null ? _ref4 : router.options.defaultLoaderMaxAge) != null ? _ref3 : 0,
2006
- gcMaxAge: (_ref5 = (_ref6 = (_loaderOpts$gcMaxAge = loaderOpts.gcMaxAge) != null ? _loaderOpts$gcMaxAge : router.options.defaultPreloadGcMaxAge) != null ? _ref6 : router.options.defaultLoaderGcMaxAge) != null ? _ref5 : 0
2007
- });
2008
- return matches;
2009
- },
2010
- matchRoutes: (pathname, opts) => {
2011
- var _router$state$pending3, _router$state$pending4;
2012
-
2013
- router.cleanMatchCache();
2014
- const matches = [];
2015
-
2016
- if (!router.routeTree) {
2017
- return matches;
2018
- }
2019
-
2020
- const existingMatches = [...router.state.matches, ...((_router$state$pending3 = (_router$state$pending4 = router.state.pending) == null ? void 0 : _router$state$pending4.matches) != null ? _router$state$pending3 : [])];
2021
-
2022
- const recurse = async routes => {
2023
- var _parentMatch$params, _router$options$filte, _foundRoute$childRout;
2024
-
2025
- const parentMatch = last(matches);
2026
- let params = (_parentMatch$params = parentMatch == null ? void 0 : parentMatch.params) != null ? _parentMatch$params : {};
2027
- const filteredRoutes = (_router$options$filte = router.options.filterRoutes == null ? void 0 : router.options.filterRoutes(routes)) != null ? _router$options$filte : routes;
2028
- let foundRoutes = [];
2029
-
2030
- const findMatchInRoutes = (parentRoutes, routes) => {
2031
- routes.some(route => {
2032
- var _route$childRoutes, _route$childRoutes2, _route$options$caseSe;
2033
-
2034
- if (!route.routePath && (_route$childRoutes = route.childRoutes) != null && _route$childRoutes.length) {
2035
- return findMatchInRoutes([...foundRoutes, route], route.childRoutes);
2036
- }
2037
-
2038
- const fuzzy = !!(route.routePath !== '/' || (_route$childRoutes2 = route.childRoutes) != null && _route$childRoutes2.length);
2039
- const matchParams = matchPathname(pathname, {
2040
- to: route.fullPath,
2041
- fuzzy,
2042
- caseSensitive: (_route$options$caseSe = route.options.caseSensitive) != null ? _route$options$caseSe : router.options.caseSensitive
2043
- });
2044
-
2045
- if (matchParams) {
2046
- let parsedParams;
2047
-
2048
- try {
2049
- var _route$options$parseP;
2050
-
2051
- parsedParams = (_route$options$parseP = route.options.parseParams == null ? void 0 : route.options.parseParams(matchParams)) != null ? _route$options$parseP : matchParams;
2052
- } catch (err) {
2053
- if (opts != null && opts.strictParseParams) {
2054
- throw err;
2055
- }
2056
- }
2057
-
2058
- params = _extends({}, params, parsedParams);
2059
- }
2060
-
2061
- if (!!matchParams) {
2062
- foundRoutes = [...parentRoutes, route];
2063
- }
2064
-
2065
- return !!foundRoutes.length;
2066
- });
2067
- return !!foundRoutes.length;
2068
- };
2069
-
2070
- findMatchInRoutes([], filteredRoutes);
2071
-
2072
- if (!foundRoutes.length) {
2073
- return;
2074
- }
2075
-
2076
- foundRoutes.forEach(foundRoute => {
2077
- var _router$matchCache$ma;
2078
-
2079
- const interpolatedPath = interpolatePath(foundRoute.routePath, params);
2080
- const matchId = interpolatePath(foundRoute.routeId, params, true);
2081
- const match = existingMatches.find(d => d.matchId === matchId) || ((_router$matchCache$ma = router.matchCache[matchId]) == null ? void 0 : _router$matchCache$ma.match) || createRouteMatch(router, foundRoute, {
2082
- parentMatch,
2083
- matchId,
2084
- params,
2085
- pathname: joinPaths([pathname, interpolatedPath])
2086
- });
2087
- matches.push(match);
2088
- });
2089
- const foundRoute = last(foundRoutes);
2090
-
2091
- if ((_foundRoute$childRout = foundRoute.childRoutes) != null && _foundRoute$childRout.length) {
2092
- recurse(foundRoute.childRoutes);
2093
- }
2094
- };
2095
-
2096
- recurse([router.routeTree]);
2097
- cascadeLoaderData(matches);
2098
- return matches;
2099
- },
2100
- loadMatches: async (resolvedMatches, loaderOpts) => {
2101
- const matchPromises = resolvedMatches.map(async match => {
2102
- // Validate the match (loads search params etc)
2103
- match.__.validate();
2104
-
2105
- match.load(loaderOpts);
2106
- const search = match.search;
2107
-
2108
- if (search.__data && search.__data.matchId !== match.matchId) {
2109
- return;
2110
- }
2111
-
2112
- if (match.__.loadPromise) {
2113
- // Wait for the first sign of activity from the match
2114
- await match.__.loadPromise;
2115
- }
2116
- });
2117
- router.notify();
2118
- await Promise.all(matchPromises);
2119
- },
2120
- loadMatchData: async routeMatch => {
2121
- if (isServer || !router.options.useServerData) {
2122
- var _await$routeMatch$opt;
2123
-
2124
- return (_await$routeMatch$opt = await (routeMatch.options.loader == null ? void 0 : routeMatch.options.loader({
2125
- // parentLoaderPromise: routeMatch.parentMatch?.__.dataPromise,
2126
- params: routeMatch.params,
2127
- search: routeMatch.routeSearch,
2128
- signal: routeMatch.__.abortController.signal
2129
- }))) != null ? _await$routeMatch$opt : {};
2130
- } else {
2131
- const next = router.buildNext({
2132
- to: '.',
2133
- search: d => _extends({}, d != null ? d : {}, {
2134
- __data: {
2135
- matchId: routeMatch.matchId
2136
- }
2137
- })
2138
- });
2139
- const res = await fetch(next.href, {
2140
- method: 'GET' // signal: routeMatch.__.abortController.signal,
2141
-
2142
- });
2143
-
2144
- if (res.ok) {
2145
- return res.json();
2146
- }
2147
-
2148
- throw new Error('Failed to fetch match data');
2149
- }
2150
- },
2151
- invalidateRoute: opts => {
2152
- var _router$state$pending5, _router$state$pending6;
2153
-
2154
- const next = router.buildNext(opts);
2155
- const unloadedMatchIds = router.matchRoutes(next.pathname).map(d => d.matchId);
2156
- [...router.state.matches, ...((_router$state$pending5 = (_router$state$pending6 = router.state.pending) == null ? void 0 : _router$state$pending6.matches) != null ? _router$state$pending5 : [])].forEach(match => {
2157
- if (unloadedMatchIds.includes(match.matchId)) {
2158
- match.invalidate();
2159
- }
2160
- });
2161
- },
2162
- reload: () => router.__.navigate({
2163
- fromCurrent: true,
2164
- replace: true,
2165
- search: true
2166
- }),
2167
- resolvePath: (from, path) => {
2168
- return resolvePath(router.basepath, from, cleanPath(path));
2169
- },
2170
- matchRoute: (location, opts) => {
2171
- var _location$from;
2172
-
2173
- // const location = router.buildNext(opts)
2174
- location = _extends({}, location, {
2175
- to: location.to ? router.resolvePath((_location$from = location.from) != null ? _location$from : '', location.to) : undefined
2176
- });
2177
- const next = router.buildNext(location);
2178
-
2179
- if (opts != null && opts.pending) {
2180
- var _router$state$pending7;
2181
-
2182
- if (!((_router$state$pending7 = router.state.pending) != null && _router$state$pending7.location)) {
2183
- return false;
19
+ function _extends() {
20
+ _extends = Object.assign ? Object.assign.bind() : function (target) {
21
+ for (var i = 1; i < arguments.length; i++) {
22
+ var source = arguments[i];
23
+ for (var key in source) {
24
+ if (Object.prototype.hasOwnProperty.call(source, key)) {
25
+ target[key] = source[key];
2184
26
  }
2185
-
2186
- return !!matchPathname(router.state.pending.location.pathname, _extends({}, opts, {
2187
- to: next.pathname
2188
- }));
2189
27
  }
28
+ }
29
+ return target;
30
+ };
31
+ return _extends.apply(this, arguments);
32
+ }
2190
33
 
2191
- return !!matchPathname(router.state.location.pathname, _extends({}, opts, {
2192
- to: next.pathname
2193
- }));
34
+ const useLayoutEffect$1 = typeof window !== 'undefined' ? React.useLayoutEffect : React.useEffect;
35
+ Route.__onInit = route => {
36
+ Object.assign(route, {
37
+ useMatch: (opts = {}) => {
38
+ return useMatch({
39
+ ...opts,
40
+ from: route.id
41
+ });
2194
42
  },
2195
- navigate: async _ref7 => {
2196
- let {
2197
- from,
2198
- to = '.',
2199
- search,
2200
- hash,
2201
- replace,
2202
- params
2203
- } = _ref7;
2204
- // If this link simply reloads the current route,
2205
- // make sure it has a new key so it will trigger a data refresh
2206
- // If this `to` is a valid external URL, return
2207
- // null for LinkUtils
2208
- const toString = String(to);
2209
- const fromString = String(from);
2210
- let isExternal;
2211
-
2212
- try {
2213
- new URL("" + toString);
2214
- isExternal = true;
2215
- } catch (e) {}
2216
-
2217
- invariant(!isExternal, 'Attempting to navigate to external url with router.navigate!');
2218
- return router.__.navigate({
2219
- from: fromString,
2220
- to: toString,
2221
- search,
2222
- hash,
2223
- replace,
2224
- params
43
+ useLoader: (opts = {}) => {
44
+ return useLoader({
45
+ ...opts,
46
+ from: route.id
2225
47
  });
2226
48
  },
2227
- buildLink: _ref8 => {
2228
- var _preload, _ref9;
2229
-
2230
- let {
2231
- from,
2232
- to = '.',
2233
- search,
2234
- params,
2235
- hash,
2236
- target,
2237
- replace,
2238
- activeOptions,
2239
- preload,
2240
- preloadMaxAge: userPreloadMaxAge,
2241
- preloadGcMaxAge: userPreloadGcMaxAge,
2242
- preloadDelay: userPreloadDelay,
2243
- disabled
2244
- } = _ref8;
2245
-
2246
- // If this link simply reloads the current route,
2247
- // make sure it has a new key so it will trigger a data refresh
2248
- // If this `to` is a valid external URL, return
2249
- // null for LinkUtils
2250
- try {
2251
- new URL("" + to);
2252
- return {
2253
- type: 'external',
2254
- href: to
2255
- };
2256
- } catch (e) {}
2257
-
2258
- const nextOpts = {
2259
- from,
2260
- to,
2261
- search,
2262
- params,
2263
- hash,
2264
- replace
2265
- };
2266
- const next = router.buildNext(nextOpts);
2267
- preload = (_preload = preload) != null ? _preload : router.options.defaultPreload;
2268
- const preloadDelay = (_ref9 = userPreloadDelay != null ? userPreloadDelay : router.options.defaultPreloadDelay) != null ? _ref9 : 0; // Compare path/hash for matches
2269
-
2270
- const pathIsEqual = router.state.location.pathname === next.pathname;
2271
- const currentPathSplit = router.state.location.pathname.split('/');
2272
- const nextPathSplit = next.pathname.split('/');
2273
- const pathIsFuzzyEqual = nextPathSplit.every((d, i) => d === currentPathSplit[i]);
2274
- const hashIsEqual = router.state.location.hash === next.hash; // Combine the matches based on user options
2275
-
2276
- const pathTest = activeOptions != null && activeOptions.exact ? pathIsEqual : pathIsFuzzyEqual;
2277
- const hashTest = activeOptions != null && activeOptions.includeHash ? hashIsEqual : true; // The final "active" test
2278
-
2279
- const isActive = pathTest && hashTest; // The click handler
2280
-
2281
- const handleClick = e => {
2282
- if (!disabled && !isCtrlEvent(e) && !e.defaultPrevented && (!target || target === '_self') && e.button === 0) {
2283
- e.preventDefault();
2284
-
2285
- if (pathIsEqual && !search && !hash) {
2286
- router.invalidateRoute(nextOpts);
2287
- } // All is well? Navigate!)
2288
-
2289
-
2290
- router.__.navigate(nextOpts);
2291
- }
2292
- }; // The click handler
2293
-
2294
-
2295
- const handleFocus = e => {
2296
- if (preload) {
2297
- router.preloadRoute(nextOpts, {
2298
- maxAge: userPreloadMaxAge,
2299
- gcMaxAge: userPreloadGcMaxAge
2300
- });
2301
- }
2302
- };
2303
-
2304
- const handleEnter = e => {
2305
- const target = e.target || {};
2306
-
2307
- if (preload) {
2308
- if (target.preloadTimeout) {
2309
- return;
2310
- }
2311
-
2312
- target.preloadTimeout = setTimeout(() => {
2313
- target.preloadTimeout = null;
2314
- router.preloadRoute(nextOpts, {
2315
- maxAge: userPreloadMaxAge,
2316
- gcMaxAge: userPreloadGcMaxAge
2317
- });
2318
- }, preloadDelay);
2319
- }
2320
- };
2321
-
2322
- const handleLeave = e => {
2323
- const target = e.target || {};
2324
-
2325
- if (target.preloadTimeout) {
2326
- clearTimeout(target.preloadTimeout);
2327
- target.preloadTimeout = null;
2328
- }
2329
- };
2330
-
2331
- return {
2332
- type: 'internal',
2333
- next,
2334
- handleFocus,
2335
- handleClick,
2336
- handleEnter,
2337
- handleLeave,
2338
- isActive,
2339
- disabled
2340
- };
49
+ useRouteContext: (opts = {}) => {
50
+ return useMatch({
51
+ ...opts,
52
+ from: route.id,
53
+ select: d => opts?.select ? opts.select(d.context) : d.context
54
+ });
2341
55
  },
2342
- buildNext: opts => {
2343
- const next = router.__.buildLocation(opts);
2344
-
2345
- const matches = router.matchRoutes(next.pathname);
2346
-
2347
- const __preSearchFilters = matches.map(match => {
2348
- var _match$options$preSea;
2349
-
2350
- return (_match$options$preSea = match.options.preSearchFilters) != null ? _match$options$preSea : [];
2351
- }).flat().filter(Boolean);
2352
-
2353
- const __postSearchFilters = matches.map(match => {
2354
- var _match$options$postSe;
2355
-
2356
- return (_match$options$postSe = match.options.postSearchFilters) != null ? _match$options$postSe : [];
2357
- }).flat().filter(Boolean);
2358
-
2359
- return router.__.buildLocation(_extends({}, opts, {
2360
- __preSearchFilters,
2361
- __postSearchFilters
2362
- }));
56
+ useSearch: (opts = {}) => {
57
+ return useSearch({
58
+ ...opts,
59
+ from: route.id
60
+ });
2363
61
  },
2364
- __: {
2365
- buildRouteTree: rootRouteConfig => {
2366
- const recurseRoutes = (routeConfigs, parent) => {
2367
- return routeConfigs.map(routeConfig => {
2368
- const routeOptions = routeConfig.options;
2369
- const route = createRoute(routeConfig, routeOptions, parent, router);
2370
- const existingRoute = router.routesById[route.routeId];
2371
-
2372
- if (existingRoute) {
2373
- if (process.env.NODE_ENV !== 'production') {
2374
- console.warn("Duplicate routes found with id: " + String(route.routeId), router.routesById, route);
2375
- }
2376
-
2377
- throw new Error();
2378
- }
2379
- router.routesById[route.routeId] = route;
2380
- const children = routeConfig.children;
2381
- route.childRoutes = children != null && children.length ? recurseRoutes(children, route) : undefined;
2382
- return route;
2383
- });
2384
- };
2385
-
2386
- const routes = recurseRoutes([rootRouteConfig]);
2387
- return routes[0];
2388
- },
2389
- parseLocation: (location, previousLocation) => {
2390
- var _location$hash$split$;
2391
-
2392
- const parsedSearch = router.options.parseSearch(location.search);
2393
- return {
2394
- pathname: location.pathname,
2395
- searchStr: location.search,
2396
- search: replaceEqualDeep(previousLocation == null ? void 0 : previousLocation.search, parsedSearch),
2397
- hash: (_location$hash$split$ = location.hash.split('#').reverse()[0]) != null ? _location$hash$split$ : '',
2398
- href: "" + location.pathname + location.search + location.hash,
2399
- state: location.state,
2400
- key: location.key
2401
- };
2402
- },
2403
- navigate: location => {
2404
- const next = router.buildNext(location);
2405
- return router.__.commitLocation(next, location.replace);
2406
- },
2407
- buildLocation: function buildLocation(dest) {
2408
- var _dest$from, _router$basepath, _dest$to, _last, _dest$params, _dest$__preSearchFilt, _functionalUpdate, _dest$__preSearchFilt2, _dest$__postSearchFil;
2409
-
2410
- if (dest === void 0) {
2411
- dest = {};
2412
- }
2413
-
2414
- // const resolvedFrom: Location = {
2415
- // ...router.location,
2416
- const fromPathname = dest.fromCurrent ? router.location.pathname : (_dest$from = dest.from) != null ? _dest$from : router.location.pathname;
2417
-
2418
- let pathname = resolvePath((_router$basepath = router.basepath) != null ? _router$basepath : '/', fromPathname, "" + ((_dest$to = dest.to) != null ? _dest$to : '.'));
2419
-
2420
- const fromMatches = router.matchRoutes(router.location.pathname, {
2421
- strictParseParams: true
2422
- });
2423
- const toMatches = router.matchRoutes(pathname);
2424
-
2425
- const prevParams = _extends({}, (_last = last(fromMatches)) == null ? void 0 : _last.params);
2426
-
2427
- let nextParams = ((_dest$params = dest.params) != null ? _dest$params : true) === true ? prevParams : functionalUpdate(dest.params, prevParams);
2428
-
2429
- if (nextParams) {
2430
- toMatches.map(d => d.options.stringifyParams).filter(Boolean).forEach(fn => {
2431
- Object.assign({}, nextParams, fn(nextParams));
2432
- });
2433
- }
2434
-
2435
- pathname = interpolatePath(pathname, nextParams != null ? nextParams : {}); // Pre filters first
2436
-
2437
- const preFilteredSearch = (_dest$__preSearchFilt = dest.__preSearchFilters) != null && _dest$__preSearchFilt.length ? dest.__preSearchFilters.reduce((prev, next) => next(prev), router.location.search) : router.location.search; // Then the link/navigate function
2438
-
2439
- const destSearch = dest.search === true ? preFilteredSearch // Preserve resolvedFrom true
2440
- : dest.search ? (_functionalUpdate = functionalUpdate(dest.search, preFilteredSearch)) != null ? _functionalUpdate : {} // Updater
2441
- : (_dest$__preSearchFilt2 = dest.__preSearchFilters) != null && _dest$__preSearchFilt2.length ? preFilteredSearch // Preserve resolvedFrom filters
2442
- : {}; // Then post filters
2443
-
2444
- const postFilteredSearch = (_dest$__postSearchFil = dest.__postSearchFilters) != null && _dest$__postSearchFil.length ? dest.__postSearchFilters.reduce((prev, next) => next(prev), destSearch) : destSearch;
2445
- const search = replaceEqualDeep(router.location.search, postFilteredSearch);
2446
- const searchStr = router.options.stringifySearch(search);
2447
- let hash = dest.hash === true ? router.location.hash : functionalUpdate(dest.hash, router.location.hash);
2448
- hash = hash ? "#" + hash : '';
2449
- return {
2450
- pathname,
2451
- search,
2452
- searchStr,
2453
- state: router.location.state,
2454
- hash,
2455
- href: "" + pathname + searchStr + hash,
2456
- key: dest.key
2457
- };
2458
- },
2459
- commitLocation: (next, replace) => {
2460
- const id = '' + Date.now() + Math.random();
2461
- if (router.navigateTimeout) clearTimeout(router.navigateTimeout);
2462
- let nextAction = 'replace';
2463
-
2464
- if (!replace) {
2465
- nextAction = 'push';
2466
- }
2467
-
2468
- const isSameUrl = router.__.parseLocation(history.location).href === next.href;
2469
-
2470
- if (isSameUrl && !next.key) {
2471
- nextAction = 'replace';
2472
- }
2473
-
2474
- if (nextAction === 'replace') {
2475
- history.replace({
2476
- pathname: next.pathname,
2477
- hash: next.hash,
2478
- search: next.searchStr
2479
- }, _extends({
2480
- id
2481
- }, next.state));
2482
- } else {
2483
- history.push({
2484
- pathname: next.pathname,
2485
- hash: next.hash,
2486
- search: next.searchStr
2487
- }, {
2488
- id
2489
- });
2490
- }
2491
-
2492
- router.navigationPromise = new Promise(resolve => {
2493
- const previousNavigationResolve = router.resolveNavigation;
2494
-
2495
- router.resolveNavigation = () => {
2496
- previousNavigationResolve();
2497
- resolve();
2498
- };
2499
- });
2500
- return router.navigationPromise;
2501
- }
62
+ useParams: (opts = {}) => {
63
+ return useParams({
64
+ ...opts,
65
+ from: route.id
66
+ });
2502
67
  }
2503
- };
2504
- router.update(userOptions); // Allow frameworks to hook into the router creation
2505
-
2506
- router.options.createRouter == null ? void 0 : router.options.createRouter(router);
2507
- return router;
2508
- }
2509
-
2510
- function isCtrlEvent(e) {
2511
- return !!(e.metaKey || e.altKey || e.ctrlKey || e.shiftKey);
2512
- }
68
+ });
69
+ };
2513
70
 
2514
- function cascadeLoaderData(matches) {
2515
- matches.forEach((match, index) => {
2516
- const parent = matches[index - 1];
71
+ //
2517
72
 
2518
- if (parent) {
2519
- match.loaderData = replaceEqualDeep(match.loaderData, _extends({}, parent.loaderData, match.routeLoaderData));
73
+ function lazyRouteComponent(importer, exportName) {
74
+ let loadPromise;
75
+ const load = () => {
76
+ if (!loadPromise) {
77
+ loadPromise = importer();
2520
78
  }
79
+ return loadPromise;
80
+ };
81
+ const lazyComp = /*#__PURE__*/React.lazy(async () => {
82
+ const moduleExports = await load();
83
+ const comp = moduleExports[exportName ?? 'default'];
84
+ return {
85
+ default: comp
86
+ };
2521
87
  });
88
+ lazyComp.preload = load;
89
+ return lazyComp;
2522
90
  }
91
+ //
2523
92
 
2524
- const _excluded = ["type", "children", "target", "activeProps", "inactiveProps", "activeOptions", "disabled", "hash", "search", "params", "to", "preload", "preloadDelay", "preloadMaxAge", "replace", "style", "className", "onClick", "onFocus", "onMouseEnter", "onMouseLeave", "onTouchStart", "onTouchEnd"],
2525
- _excluded2 = ["pending", "caseSensitive", "children"],
2526
- _excluded3 = ["children", "router"];
2527
- function lazy(importer) {
2528
- const lazyComp = /*#__PURE__*/React.lazy(importer);
2529
- let promise;
2530
- let resolvedComp;
2531
- const forwardedComp = /*#__PURE__*/React.forwardRef((props, ref) => {
2532
- const resolvedCompRef = React.useRef(resolvedComp || lazyComp);
2533
- return /*#__PURE__*/React.createElement(resolvedCompRef.current, _extends$2({}, ref ? {
2534
- ref
2535
- } : {}, props));
93
+ function useLinkProps(options) {
94
+ const router = useRouter();
95
+ const match = useMatch({
96
+ strict: false
2536
97
  });
2537
- const finalComp = forwardedComp;
2538
-
2539
- finalComp.preload = () => {
2540
- if (!promise) {
2541
- promise = importer().then(module => {
2542
- resolvedComp = module.default;
2543
- return resolvedComp;
98
+ const {
99
+ // custom props
100
+ type,
101
+ children,
102
+ target,
103
+ activeProps = () => ({
104
+ className: 'active'
105
+ }),
106
+ inactiveProps = () => ({}),
107
+ activeOptions,
108
+ disabled,
109
+ hash,
110
+ search,
111
+ params,
112
+ to = '.',
113
+ state,
114
+ mask,
115
+ preload,
116
+ preloadDelay,
117
+ replace,
118
+ // element props
119
+ style,
120
+ className,
121
+ onClick,
122
+ onFocus,
123
+ onMouseEnter,
124
+ onMouseLeave,
125
+ onTouchStart,
126
+ ...rest
127
+ } = options;
128
+ const linkInfo = router.buildLink({
129
+ from: match.pathname,
130
+ ...options
131
+ });
132
+ if (linkInfo.type === 'external') {
133
+ const {
134
+ href
135
+ } = linkInfo;
136
+ return {
137
+ href
138
+ };
139
+ }
140
+ const {
141
+ handleClick,
142
+ handleFocus,
143
+ handleEnter,
144
+ handleLeave,
145
+ handleTouchStart,
146
+ isActive,
147
+ next
148
+ } = linkInfo;
149
+ const handleReactClick = e => {
150
+ if (options.startTransition ?? true) {
151
+ (React.startTransition || (d => d))(() => {
152
+ handleClick(e);
2544
153
  });
2545
154
  }
2546
-
2547
- return promise;
2548
155
  };
156
+ const composeHandlers = handlers => e => {
157
+ if (e.persist) e.persist();
158
+ handlers.filter(Boolean).forEach(handler => {
159
+ if (e.defaultPrevented) return;
160
+ handler(e);
161
+ });
162
+ };
163
+
164
+ // Get the active props
165
+ const resolvedActiveProps = isActive ? functionalUpdate(activeProps, {}) ?? {} : {};
2549
166
 
2550
- return finalComp;
167
+ // Get the inactive props
168
+ const resolvedInactiveProps = isActive ? {} : functionalUpdate(inactiveProps, {}) ?? {};
169
+ return {
170
+ ...resolvedActiveProps,
171
+ ...resolvedInactiveProps,
172
+ ...rest,
173
+ href: disabled ? undefined : next.maskedLocation ? next.maskedLocation.href : next.href,
174
+ onClick: composeHandlers([onClick, handleReactClick]),
175
+ onFocus: composeHandlers([onFocus, handleFocus]),
176
+ onMouseEnter: composeHandlers([onMouseEnter, handleEnter]),
177
+ onMouseLeave: composeHandlers([onMouseLeave, handleLeave]),
178
+ onTouchStart: composeHandlers([onTouchStart, handleTouchStart]),
179
+ target,
180
+ style: {
181
+ ...style,
182
+ ...resolvedActiveProps.style,
183
+ ...resolvedInactiveProps.style
184
+ },
185
+ className: [className, resolvedActiveProps.className, resolvedInactiveProps.className].filter(Boolean).join(' ') || undefined,
186
+ ...(disabled ? {
187
+ role: 'link',
188
+ 'aria-disabled': true
189
+ } : undefined),
190
+ ['data-status']: isActive ? 'active' : undefined
191
+ };
2551
192
  }
2552
- //
2553
- function Link(props) {
193
+ const Link = /*#__PURE__*/React.forwardRef((props, ref) => {
194
+ const linkProps = useLinkProps(props);
195
+ return /*#__PURE__*/React.createElement("a", _extends({
196
+ ref: ref
197
+ }, linkProps, {
198
+ children: typeof props.children === 'function' ? props.children({
199
+ isActive: linkProps['data-status'] === 'active'
200
+ }) : props.children
201
+ }));
202
+ });
203
+ function Navigate(props) {
2554
204
  const router = useRouter();
2555
- return /*#__PURE__*/React.createElement(router.Link, props);
205
+ const match = useMatch({
206
+ strict: false
207
+ });
208
+ useLayoutEffect$1(() => {
209
+ router.navigate({
210
+ from: match.pathname,
211
+ ...props
212
+ });
213
+ }, []);
214
+ return null;
2556
215
  }
2557
- const matchesContext = /*#__PURE__*/React.createContext(null);
216
+ const matchIdsContext = /*#__PURE__*/React.createContext(null);
2558
217
  const routerContext = /*#__PURE__*/React.createContext(null);
2559
- function MatchesProvider(props) {
2560
- return /*#__PURE__*/React.createElement(matchesContext.Provider, props);
2561
- }
2562
-
2563
- const useRouterSubscription = router => {
2564
- useSyncExternalStore(cb => router.subscribe(() => cb()), () => router.state, () => router.state);
2565
- };
2566
-
2567
- function createReactRouter(opts) {
2568
- const makeRouteExt = (route, router) => {
2569
- return {
2570
- useRoute: function useRoute(subRouteId) {
2571
- if (subRouteId === void 0) {
2572
- subRouteId = '.';
2573
- }
2574
-
2575
- const resolvedRouteId = router.resolvePath(route.routeId, subRouteId);
2576
- const resolvedRoute = router.getRoute(resolvedRouteId);
2577
- useRouterSubscription(router);
2578
- invariant(resolvedRoute, "Could not find a route for route \"" + resolvedRouteId + "\"! Did you forget to add it to your route config?");
2579
- return resolvedRoute;
2580
- },
2581
- linkProps: options => {
2582
- var _functionalUpdate, _functionalUpdate2;
2583
-
2584
- const {
2585
- // custom props
2586
- target,
2587
- activeProps = () => ({
2588
- className: 'active'
2589
- }),
2590
- inactiveProps = () => ({}),
2591
- disabled,
2592
- // element props
2593
- style,
2594
- className,
2595
- onClick,
2596
- onFocus,
2597
- onMouseEnter,
2598
- onMouseLeave
2599
- } = options,
2600
- rest = _objectWithoutPropertiesLoose(options, _excluded);
2601
-
2602
- const linkInfo = route.buildLink(options);
2603
-
2604
- if (linkInfo.type === 'external') {
2605
- const {
2606
- href
2607
- } = linkInfo;
2608
- return {
2609
- href
2610
- };
2611
- }
2612
-
2613
- const {
2614
- handleClick,
2615
- handleFocus,
2616
- handleEnter,
2617
- handleLeave,
2618
- isActive,
2619
- next
2620
- } = linkInfo;
2621
-
2622
- const reactHandleClick = e => {
2623
- React.startTransition(() => {
2624
- handleClick(e);
2625
- });
2626
- };
2627
-
2628
- const composeHandlers = handlers => e => {
2629
- e.persist();
2630
- handlers.forEach(handler => {
2631
- if (handler) handler(e);
2632
- });
2633
- }; // Get the active props
2634
-
2635
-
2636
- const resolvedActiveProps = isActive ? (_functionalUpdate = functionalUpdate(activeProps, {})) != null ? _functionalUpdate : {} : {}; // Get the inactive props
2637
-
2638
- const resolvedInactiveProps = isActive ? {} : (_functionalUpdate2 = functionalUpdate(inactiveProps, {})) != null ? _functionalUpdate2 : {};
2639
- return _extends$2({}, resolvedActiveProps, resolvedInactiveProps, rest, {
2640
- href: disabled ? undefined : next.href,
2641
- onClick: composeHandlers([reactHandleClick, onClick]),
2642
- onFocus: composeHandlers([handleFocus, onFocus]),
2643
- onMouseEnter: composeHandlers([handleEnter, onMouseEnter]),
2644
- onMouseLeave: composeHandlers([handleLeave, onMouseLeave]),
2645
- target,
2646
- style: _extends$2({}, style, resolvedActiveProps.style, resolvedInactiveProps.style),
2647
- className: [className, resolvedActiveProps.className, resolvedInactiveProps.className].filter(Boolean).join(' ') || undefined
2648
- }, disabled ? {
2649
- role: 'link',
2650
- 'aria-disabled': true
2651
- } : undefined, {
2652
- ['data-status']: isActive ? 'active' : undefined
2653
- });
2654
- },
2655
- Link: /*#__PURE__*/React.forwardRef((props, ref) => {
2656
- const linkProps = route.linkProps(props);
2657
- useRouterSubscription(router);
2658
- return /*#__PURE__*/React.createElement("a", _extends$2({
2659
- ref: ref
2660
- }, linkProps, {
2661
- children: typeof props.children === 'function' ? props.children({
2662
- isActive: linkProps['data-status'] === 'active'
2663
- }) : props.children
2664
- }));
2665
- }),
2666
- MatchRoute: opts => {
2667
- const {
2668
- pending,
2669
- caseSensitive
2670
- } = opts,
2671
- rest = _objectWithoutPropertiesLoose(opts, _excluded2);
2672
-
2673
- const params = route.matchRoute(rest, {
2674
- pending,
2675
- caseSensitive
2676
- });
2677
-
2678
- if (!params) {
2679
- return null;
2680
- }
2681
-
2682
- return typeof opts.children === 'function' ? opts.children(params) : opts.children;
2683
- }
2684
- };
2685
- };
2686
-
2687
- const coreRouter = createRouter(_extends$2({}, opts, {
2688
- createRouter: router => {
2689
- const routerExt = {
2690
- useState: () => {
2691
- useRouterSubscription(router);
2692
- return router.state;
2693
- },
2694
- useMatch: (routeId, opts) => {
2695
- var _useMatches, _opts$strict;
2696
-
2697
- useRouterSubscription(router);
2698
- invariant(routeId !== rootRouteId, "\"" + rootRouteId + "\" cannot be used with useMatch! Did you mean to useRoute(\"" + rootRouteId + "\")?");
2699
- const runtimeMatch = (_useMatches = useMatches()) == null ? void 0 : _useMatches[0];
2700
- const match = router.state.matches.find(d => d.routeId === routeId);
2701
-
2702
- if ((_opts$strict = opts == null ? void 0 : opts.strict) != null ? _opts$strict : true) {
2703
- invariant(match, "Could not find an active match for \"" + routeId + "\"!");
2704
- invariant(runtimeMatch.routeId == (match == null ? void 0 : match.routeId), "useMatch(\"" + (match == null ? void 0 : match.routeId) + "\") is being called in a component that is meant to render the '" + runtimeMatch.routeId + "' route. Did you mean to 'useMatch(\"" + (match == null ? void 0 : match.routeId) + "\", { strict: false })' or 'useRoute(\"" + (match == null ? void 0 : match.routeId) + "\")' instead?");
2705
- }
2706
-
2707
- return match;
2708
- }
2709
- };
2710
- const routeExt = makeRouteExt(router.getRoute('/'), router);
2711
- Object.assign(router, routerExt, routeExt);
2712
- },
2713
- createRoute: _ref => {
2714
- let {
2715
- router,
2716
- route
2717
- } = _ref;
2718
- const routeExt = makeRouteExt(route, router);
2719
- Object.assign(route, routeExt);
2720
- },
2721
- loadComponent: async component => {
2722
- if (component.preload && typeof document !== 'undefined') {
2723
- component.preload(); // return await component.preload()
2724
- }
2725
-
2726
- return component;
2727
- }
2728
- }));
2729
- return coreRouter;
218
+ function useRouterState(opts) {
219
+ const router = useRouter();
220
+ return useStore(router.__store, opts?.select);
2730
221
  }
2731
- function RouterProvider(_ref2) {
2732
- let {
2733
- children,
2734
- router
2735
- } = _ref2,
2736
- rest = _objectWithoutPropertiesLoose(_ref2, _excluded3);
2737
-
222
+ function RouterProvider({
223
+ router,
224
+ ...rest
225
+ }) {
2738
226
  router.update(rest);
2739
- useRouterSubscription(router);
2740
227
  React.useEffect(() => {
2741
- console.log('hello');
2742
- return router.mount();
228
+ let unsub;
229
+ React.startTransition(() => {
230
+ unsub = router.mount();
231
+ });
232
+ return unsub;
2743
233
  }, [router]);
2744
- return /*#__PURE__*/React.createElement(routerContext.Provider, {
2745
- value: {
2746
- router: router
234
+ const Wrap = router.options.Wrap || React.Fragment;
235
+ return /*#__PURE__*/React.createElement(Wrap, null, /*#__PURE__*/React.createElement(routerContext.Provider, {
236
+ value: router
237
+ }, /*#__PURE__*/React.createElement(Matches, null)));
238
+ }
239
+ function Matches() {
240
+ const router = useRouter();
241
+ const matchIds = useRouterState({
242
+ select: state => {
243
+ return state.renderedMatchIds;
244
+ }
245
+ });
246
+ const locationKey = useRouterState({
247
+ select: d => d.resolvedLocation.state?.key
248
+ });
249
+ const route = router.getRoute(rootRouteId);
250
+ const errorComponent = React.useCallback(props => {
251
+ return /*#__PURE__*/React.createElement(ErrorComponent, {
252
+ ...props,
253
+ useMatch: route.useMatch,
254
+ useRouteContext: route.useRouteContext,
255
+ useSearch: route.useSearch,
256
+ useParams: route.useParams
257
+ });
258
+ }, [route]);
259
+ return /*#__PURE__*/React.createElement(matchIdsContext.Provider, {
260
+ value: [undefined, ...matchIds]
261
+ }, /*#__PURE__*/React.createElement(CatchBoundary, {
262
+ resetKey: locationKey,
263
+ errorComponent: errorComponent,
264
+ onCatch: () => {
265
+ warning(false, `Error in router! Consider setting an 'errorComponent' in your RootRoute! 👍`);
2747
266
  }
2748
- }, /*#__PURE__*/React.createElement(MatchesProvider, {
2749
- value: router.state.matches
2750
- }, children != null ? children : /*#__PURE__*/React.createElement(Outlet, null)));
267
+ }, /*#__PURE__*/React.createElement(Outlet, null)));
2751
268
  }
2752
269
  function useRouter() {
2753
270
  const value = React.useContext(routerContext);
2754
- warning(!value, 'useRouter must be used inside a <Router> component!');
2755
- useRouterSubscription(value.router);
2756
- return value.router;
271
+ warning(value, 'useRouter must be used inside a <Router> component!');
272
+ return value;
273
+ }
274
+ function useMatches(opts) {
275
+ const matchIds = React.useContext(matchIdsContext);
276
+ return useRouterState({
277
+ select: state => {
278
+ const matches = state.renderedMatches.slice(state.renderedMatches.findIndex(d => d.id === matchIds[0]));
279
+ return opts?.select ? opts.select(matches) : matches;
280
+ }
281
+ });
282
+ }
283
+ function useMatch(opts) {
284
+ const router = useRouter();
285
+ const nearestMatchId = React.useContext(matchIdsContext)[0];
286
+ const nearestMatchRouteId = router.getRouteMatch(nearestMatchId)?.routeId;
287
+ const matchRouteId = useRouterState({
288
+ select: state => {
289
+ const match = opts?.from ? state.renderedMatches.find(d => d.routeId === opts?.from) : state.renderedMatches.find(d => d.id === nearestMatchId);
290
+ return match.routeId;
291
+ }
292
+ });
293
+ if (opts?.strict ?? true) {
294
+ invariant(nearestMatchRouteId == matchRouteId, `useMatch("${matchRouteId}") is being called in a component that is meant to render the '${nearestMatchRouteId}' route. Did you mean to 'useMatch("${matchRouteId}", { strict: false })' or 'useRoute("${matchRouteId}")' instead?`);
295
+ }
296
+ const matchSelection = useRouterState({
297
+ select: state => {
298
+ const match = opts?.from ? state.renderedMatches.find(d => d.routeId === opts?.from) : state.renderedMatches.find(d => d.id === nearestMatchId);
299
+ invariant(match, `Could not find ${opts?.from ? `an active match from "${opts.from}"` : 'a nearest match!'}`);
300
+ return opts?.select ? opts.select(match) : match;
301
+ }
302
+ });
303
+ return matchSelection;
304
+ }
305
+ function useLoader(opts) {
306
+ return useMatch({
307
+ ...opts,
308
+ select: match => opts?.select ? opts?.select(match.loaderData) : match.loaderData
309
+ });
310
+ }
311
+ function useRouterContext(opts) {
312
+ return useMatch({
313
+ ...opts,
314
+ select: match => opts?.select ? opts.select(match.context) : match.context
315
+ });
316
+ }
317
+ function useRouteContext(opts) {
318
+ return useMatch({
319
+ ...opts,
320
+ select: match => opts?.select ? opts.select(match.context) : match.context
321
+ });
322
+ }
323
+ function useSearch(opts) {
324
+ return useMatch({
325
+ ...opts,
326
+ select: match => {
327
+ return opts?.select ? opts.select(match.search) : match.search;
328
+ }
329
+ });
330
+ }
331
+ function useParams(opts) {
332
+ return useRouterState({
333
+ select: state => {
334
+ const params = last(state.renderedMatches)?.params;
335
+ return opts?.select ? opts.select(params) : params;
336
+ }
337
+ });
2757
338
  }
2758
- function useMatches() {
2759
- return React.useContext(matchesContext);
339
+ function useNavigate(defaultOpts) {
340
+ const router = useRouter();
341
+ const match = useMatch({
342
+ strict: false
343
+ });
344
+ return React.useCallback(opts => {
345
+ return router.navigate({
346
+ from: match.pathname,
347
+ ...defaultOpts,
348
+ ...opts
349
+ });
350
+ }, []);
2760
351
  }
2761
- function useMatch(routeId, opts) {
352
+ function useMatchRoute() {
2762
353
  const router = useRouter();
2763
- return router.useMatch(routeId, opts);
354
+ return React.useCallback(opts => {
355
+ const {
356
+ pending,
357
+ caseSensitive,
358
+ ...rest
359
+ } = opts;
360
+ return router.matchRoute(rest, {
361
+ pending,
362
+ caseSensitive
363
+ });
364
+ }, []);
365
+ }
366
+ function MatchRoute(props) {
367
+ const matchRoute = useMatchRoute();
368
+ const params = matchRoute(props);
369
+ if (typeof props.children === 'function') {
370
+ return props.children(params);
371
+ }
372
+ return !!params ? props.children : null;
2764
373
  }
2765
374
  function Outlet() {
2766
- var _ref3, _match$__$pendingComp, _match$__$errorCompon;
2767
-
2768
- const router = useRouter();
2769
- const matches = useMatches().slice(1);
2770
- const match = matches[0];
2771
- const defaultPending = React.useCallback(() => null, []);
2772
-
2773
- if (!match) {
375
+ const matchIds = React.useContext(matchIdsContext).slice(1);
376
+ if (!matchIds[0]) {
2774
377
  return null;
2775
378
  }
2776
-
2777
- const PendingComponent = (_ref3 = (_match$__$pendingComp = match.__.pendingComponent) != null ? _match$__$pendingComp : router.options.defaultPendingComponent) != null ? _ref3 : defaultPending;
2778
- const errorComponent = (_match$__$errorCompon = match.__.errorComponent) != null ? _match$__$errorCompon : router.options.defaultErrorComponent;
2779
- return /*#__PURE__*/React.createElement(MatchesProvider, {
2780
- value: matches
2781
- }, /*#__PURE__*/React.createElement(React.Suspense, {
2782
- fallback: /*#__PURE__*/React.createElement(PendingComponent, null)
2783
- }, /*#__PURE__*/React.createElement(CatchBoundary, {
2784
- errorComponent: errorComponent
2785
- }, (() => {
2786
- if (match.status === 'error') {
2787
- throw match.error;
379
+ return /*#__PURE__*/React.createElement(Match, {
380
+ matchIds: matchIds
381
+ });
382
+ }
383
+ const defaultPending = () => null;
384
+ function Match({
385
+ matchIds
386
+ }) {
387
+ const router = useRouter();
388
+ const matchId = matchIds[0];
389
+ const routeId = router.getRouteMatch(matchId).routeId;
390
+ const route = router.getRoute(routeId);
391
+ const locationKey = useRouterState({
392
+ select: s => s.resolvedLocation.state?.key
393
+ });
394
+ const PendingComponent = route.options.pendingComponent ?? router.options.defaultPendingComponent ?? defaultPending;
395
+ const routeErrorComponent = route.options.errorComponent ?? router.options.defaultErrorComponent ?? ErrorComponent;
396
+ const ResolvedSuspenseBoundary = route.options.wrapInSuspense ?? !route.isRoot ? React.Suspense : SafeFragment;
397
+ const ResolvedCatchBoundary = !!routeErrorComponent ? CatchBoundary : SafeFragment;
398
+ const errorComponent = React.useCallback(props => {
399
+ return /*#__PURE__*/React.createElement(routeErrorComponent, {
400
+ ...props,
401
+ useMatch: route.useMatch,
402
+ useRouteContext: route.useRouteContext,
403
+ useSearch: route.useSearch,
404
+ useParams: route.useParams
405
+ });
406
+ }, [route]);
407
+ return /*#__PURE__*/React.createElement(matchIdsContext.Provider, {
408
+ value: matchIds
409
+ }, /*#__PURE__*/React.createElement(ResolvedSuspenseBoundary, {
410
+ fallback: /*#__PURE__*/React.createElement(PendingComponent, {
411
+ useMatch: route.useMatch,
412
+ useRouteContext: route.useRouteContext,
413
+ useSearch: route.useSearch,
414
+ useParams: route.useParams
415
+ })
416
+ }, /*#__PURE__*/React.createElement(ResolvedCatchBoundary, {
417
+ resetKey: locationKey,
418
+ errorComponent: errorComponent,
419
+ onCatch: () => {
420
+ warning(false, `Error in route match: ${matchId}`);
421
+ }
422
+ }, /*#__PURE__*/React.createElement(MatchInner, {
423
+ matchId: matchId,
424
+ PendingComponent: PendingComponent
425
+ }))));
426
+ }
427
+ function MatchInner({
428
+ matchId,
429
+ PendingComponent
430
+ }) {
431
+ const router = useRouter();
432
+ const match = useRouterState({
433
+ select: d => {
434
+ const match = d.matchesById[matchId];
435
+ return pick(match, ['status', 'loadPromise', 'routeId', 'error']);
2788
436
  }
2789
-
2790
- if (match.status === 'success') {
2791
- var _ref4, _ref5;
2792
-
2793
- return /*#__PURE__*/React.createElement((_ref4 = (_ref5 = match.__.component) != null ? _ref5 : router.options.defaultComponent) != null ? _ref4 : Outlet);
437
+ });
438
+ const route = router.getRoute(match.routeId);
439
+ if (match.status === 'error') {
440
+ throw match.error;
441
+ }
442
+ if (match.status === 'pending') {
443
+ return /*#__PURE__*/React.createElement(PendingComponent, {
444
+ useLoader: route.useLoader,
445
+ useMatch: route.useMatch,
446
+ useRouteContext: route.useRouteContext,
447
+ useSearch: route.useSearch,
448
+ useParams: route.useParams
449
+ });
450
+ }
451
+ if (match.status === 'success') {
452
+ let comp = route.options.component ?? router.options.defaultComponent;
453
+ if (comp) {
454
+ return /*#__PURE__*/React.createElement(comp, {
455
+ useLoader: route.useLoader,
456
+ useMatch: route.useMatch,
457
+ useRouteContext: route.useRouteContext,
458
+ useSearch: route.useSearch,
459
+ useParams: route.useParams
460
+ });
2794
461
  }
2795
-
2796
- console.log(match.matchId, 'suspend');
2797
- throw match.__.loadPromise;
2798
- })())));
462
+ return /*#__PURE__*/React.createElement(Outlet, null);
463
+ }
464
+ invariant(false, 'Idle routeMatch status encountered during rendering! You should never see this. File an issue!');
465
+ }
466
+ function SafeFragment(props) {
467
+ return /*#__PURE__*/React.createElement(React.Fragment, null, props.children);
468
+ }
469
+ function useInjectHtml() {
470
+ const router = useRouter();
471
+ return React.useCallback(html => {
472
+ router.injectHtml(html);
473
+ }, []);
474
+ }
475
+ function useDehydrate() {
476
+ const router = useRouter();
477
+ return React.useCallback(function dehydrate(key, data) {
478
+ return router.dehydrateData(key, data);
479
+ }, []);
480
+ }
481
+ function useHydrate() {
482
+ const router = useRouter();
483
+ return function hydrate(key) {
484
+ return router.hydrateData(key);
485
+ };
2799
486
  }
2800
487
 
2801
- class CatchBoundary extends React.Component {
2802
- constructor() {
2803
- super(...arguments);
2804
- this.state = {
2805
- error: false
488
+ // This is the messiest thing ever... I'm either seriously tired (likely) or
489
+ // there has to be a better way to reset error boundaries when the
490
+ // router's location key changes.
491
+
492
+ function CatchBoundary(props) {
493
+ const errorComponent = props.errorComponent ?? ErrorComponent;
494
+ return /*#__PURE__*/React.createElement(CatchBoundaryImpl, {
495
+ resetKey: props.resetKey,
496
+ onCatch: props.onCatch,
497
+ children: ({
498
+ error
499
+ }) => {
500
+ if (error) {
501
+ return /*#__PURE__*/React.createElement(errorComponent, {
502
+ error
503
+ });
504
+ }
505
+ return props.children;
506
+ }
507
+ });
508
+ }
509
+ class CatchBoundaryImpl extends React.Component {
510
+ state = {
511
+ error: null
512
+ };
513
+ static getDerivedStateFromError(error) {
514
+ return {
515
+ error
2806
516
  };
2807
517
  }
2808
-
2809
- componentDidCatch(error, info) {
2810
- console.error(error);
2811
- this.setState({
2812
- error,
2813
- info
2814
- });
518
+ componentDidUpdate(prevProps, prevState) {
519
+ if (prevState.error && prevProps.resetKey !== this.props.resetKey) {
520
+ this.setState({
521
+ error: null
522
+ });
523
+ }
524
+ }
525
+ componentDidCatch(error) {
526
+ this.props.onCatch?.(error);
2815
527
  }
2816
-
2817
528
  render() {
2818
- var _this$props$errorComp;
2819
-
2820
- const errorComponent = (_this$props$errorComp = this.props.errorComponent) != null ? _this$props$errorComp : DefaultErrorBoundary;
2821
-
2822
- if (this.state.error) {
2823
- return /*#__PURE__*/React.createElement(errorComponent, this.state);
2824
- }
2825
-
2826
- return this.props.children;
529
+ return this.props.children(this.state);
2827
530
  }
2828
-
2829
531
  }
2830
-
2831
- function DefaultErrorBoundary(_ref6) {
2832
- let {
2833
- error
2834
- } = _ref6;
532
+ function ErrorComponent({
533
+ error
534
+ }) {
535
+ const [show, setShow] = React.useState(process.env.NODE_ENV !== 'production');
2835
536
  return /*#__PURE__*/React.createElement("div", {
2836
537
  style: {
2837
538
  padding: '.5rem',
2838
539
  maxWidth: '100%'
2839
540
  }
541
+ }, /*#__PURE__*/React.createElement("div", {
542
+ style: {
543
+ display: 'flex',
544
+ alignItems: 'center',
545
+ gap: '.5rem'
546
+ }
2840
547
  }, /*#__PURE__*/React.createElement("strong", {
2841
548
  style: {
2842
- fontSize: '1.2rem'
549
+ fontSize: '1rem'
2843
550
  }
2844
- }, "Something went wrong!"), /*#__PURE__*/React.createElement("div", {
551
+ }, "Something went wrong!"), /*#__PURE__*/React.createElement("button", {
552
+ style: {
553
+ appearance: 'none',
554
+ fontSize: '.6em',
555
+ border: '1px solid currentColor',
556
+ padding: '.1rem .2rem',
557
+ fontWeight: 'bold',
558
+ borderRadius: '.25rem'
559
+ },
560
+ onClick: () => setShow(d => !d)
561
+ }, show ? 'Hide Error' : 'Show Error')), /*#__PURE__*/React.createElement("div", {
2845
562
  style: {
2846
- height: '.5rem'
563
+ height: '.25rem'
2847
564
  }
2848
- }), /*#__PURE__*/React.createElement("div", null, /*#__PURE__*/React.createElement("pre", null, error.message ? /*#__PURE__*/React.createElement("code", {
565
+ }), show ? /*#__PURE__*/React.createElement("div", null, /*#__PURE__*/React.createElement("pre", {
2849
566
  style: {
2850
567
  fontSize: '.7em',
2851
568
  border: '1px solid red',
2852
569
  borderRadius: '.25rem',
2853
- padding: '.5rem',
2854
- color: 'red'
570
+ padding: '.3rem',
571
+ color: 'red',
572
+ overflow: 'auto'
2855
573
  }
2856
- }, error.message) : null)));
574
+ }, error.message ? /*#__PURE__*/React.createElement("code", null, error.message) : null)) : null);
2857
575
  }
2858
- function usePrompt(message, when) {
576
+ function useBlocker(message, condition = true) {
2859
577
  const router = useRouter();
2860
578
  React.useEffect(() => {
2861
- if (!when) return;
2862
- let unblock = router.history.block(transition => {
579
+ if (!condition) return;
580
+ let unblock = router.history.block((retry, cancel) => {
2863
581
  if (window.confirm(message)) {
2864
582
  unblock();
2865
- transition.retry();
2866
- } else {
2867
- router.location.pathname = window.location.pathname;
583
+ retry();
2868
584
  }
2869
585
  });
2870
586
  return unblock;
2871
- }, [when, location, message]);
587
+ });
588
+ }
589
+ function Block({
590
+ message,
591
+ condition,
592
+ children
593
+ }) {
594
+ useBlocker(message, condition);
595
+ return children ?? null;
596
+ }
597
+ function shallow(objA, objB) {
598
+ if (Object.is(objA, objB)) {
599
+ return true;
600
+ }
601
+ if (typeof objA !== 'object' || objA === null || typeof objB !== 'object' || objB === null) {
602
+ return false;
603
+ }
604
+ const keysA = Object.keys(objA);
605
+ if (keysA.length !== Object.keys(objB).length) {
606
+ return false;
607
+ }
608
+ for (let i = 0; i < keysA.length; i++) {
609
+ if (!Object.prototype.hasOwnProperty.call(objB, keysA[i]) || !Object.is(objA[keysA[i]], objB[keysA[i]])) {
610
+ return false;
611
+ }
612
+ }
613
+ return true;
614
+ }
615
+
616
+ const useLayoutEffect = typeof window !== 'undefined' ? React.useLayoutEffect : React.useEffect;
617
+ function useScrollRestoration(options) {
618
+ const router = useRouter();
619
+ useLayoutEffect(() => {
620
+ return watchScrollPositions(router, options);
621
+ }, []);
622
+ useLayoutEffect(() => {
623
+ restoreScrollPositions(router, options);
624
+ });
625
+ }
626
+ function ScrollRestoration(props) {
627
+ useScrollRestoration(props);
628
+ return null;
629
+ }
630
+
631
+ function useAwaited({
632
+ promise
633
+ }) {
634
+ const router = useRouter();
635
+ let state = promise.__deferredState;
636
+ const key = `__TSR__DEFERRED__${state.uid}`;
637
+ if (isDehydratedDeferred(promise)) {
638
+ state = router.hydrateData(key);
639
+ promise = Promise.resolve(state.data);
640
+ promise.__deferredState = state;
641
+ }
642
+ if (state.status === 'pending') {
643
+ throw promise;
644
+ }
645
+ if (state.status === 'error') {
646
+ throw state.error;
647
+ }
648
+ router.dehydrateData(key, state);
649
+ return [state.data];
2872
650
  }
2873
- function Prompt(_ref7) {
2874
- let {
2875
- message,
2876
- when,
2877
- children
2878
- } = _ref7;
2879
- usePrompt(message, when != null ? when : true);
2880
- return children != null ? children : null;
651
+ function Await(props) {
652
+ const awaited = useAwaited(props);
653
+ return props.children(...awaited);
2881
654
  }
2882
655
 
2883
- export { DefaultErrorBoundary, Link, MatchesProvider, Outlet, Prompt, RouterProvider, cleanPath, createBrowserHistory, createHashHistory, createMemoryHistory, createReactRouter, createRoute, createRouteConfig, createRouteMatch, createRouter, decode, defaultParseSearch, defaultStringifySearch, encode, functionalUpdate, interpolatePath, invariant, joinPaths, last, lazy, matchByPath, matchPathname, matchesContext, parsePathname, parseSearchWith, pick, replaceEqualDeep, resolvePath, rootRouteId, routerContext, stringifySearchWith, trimPath, trimPathLeft, trimPathRight, useMatch, useMatches, usePrompt, useRouter, warning };
656
+ export { Await, Block, CatchBoundary, CatchBoundaryImpl, ErrorComponent, Link, MatchRoute, Navigate, Outlet, RouterProvider, ScrollRestoration, lazyRouteComponent, matchIdsContext, routerContext, shallow, useAwaited, useBlocker, useDehydrate, useHydrate, useInjectHtml, useLinkProps, useLoader, useMatch, useMatchRoute, useMatches, useNavigate, useParams, useRouteContext, useRouter, useRouterContext, useRouterState, useScrollRestoration, useSearch };
2884
657
  //# sourceMappingURL=index.js.map