@tanstack/react-router 0.0.1-beta.7 → 0.0.1-beta.71

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