UNPKG

54.2 kBJavaScriptView Raw
1/**
2 * React Router v6.4.4
3 *
4 * Copyright (c) Remix Software Inc.
5 *
6 * This source code is licensed under the MIT license found in the
7 * LICENSE.md file in the root directory of this source tree.
8 *
9 * @license MIT
10 */
11(function (global, factory) {
12 typeof exports === 'object' && typeof module !== 'undefined' ? factory(exports, require('@remix-run/router'), require('react')) :
13 typeof define === 'function' && define.amd ? define(['exports', '@remix-run/router', 'react'], factory) :
14 (global = typeof globalThis !== 'undefined' ? globalThis : global || self, factory(global.ReactRouter = {}, global.RemixRouter, global.React));
15})(this, (function (exports, router, React) { 'use strict';
16
17 function _interopNamespace(e) {
18 if (e && e.__esModule) return e;
19 var n = Object.create(null);
20 if (e) {
21 Object.keys(e).forEach(function (k) {
22 if (k !== 'default') {
23 var d = Object.getOwnPropertyDescriptor(e, k);
24 Object.defineProperty(n, k, d.get ? d : {
25 enumerable: true,
26 get: function () { return e[k]; }
27 });
28 }
29 });
30 }
31 n["default"] = e;
32 return Object.freeze(n);
33 }
34
35 var React__namespace = /*#__PURE__*/_interopNamespace(React);
36
37 function _extends() {
38 _extends = Object.assign ? Object.assign.bind() : function (target) {
39 for (var i = 1; i < arguments.length; i++) {
40 var source = arguments[i];
41
42 for (var key in source) {
43 if (Object.prototype.hasOwnProperty.call(source, key)) {
44 target[key] = source[key];
45 }
46 }
47 }
48
49 return target;
50 };
51 return _extends.apply(this, arguments);
52 }
53
54 /**
55 * Copyright (c) Facebook, Inc. and its affiliates.
56 *
57 * This source code is licensed under the MIT license found in the
58 * LICENSE file in the root directory of this source tree.
59 */
60 /**
61 * inlined Object.is polyfill to avoid requiring consumers ship their own
62 * https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/is
63 */
64
65 function isPolyfill(x, y) {
66 return x === y && (x !== 0 || 1 / x === 1 / y) || x !== x && y !== y // eslint-disable-line no-self-compare
67 ;
68 }
69
70 const is = typeof Object.is === "function" ? Object.is : isPolyfill; // Intentionally not using named imports because Rollup uses dynamic
71 // dispatch for CommonJS interop named imports.
72
73 const {
74 useState,
75 useEffect,
76 useLayoutEffect,
77 useDebugValue
78 } = React__namespace;
79 let didWarnOld18Alpha = false;
80 let didWarnUncachedGetSnapshot = false; // Disclaimer: This shim breaks many of the rules of React, and only works
81 // because of a very particular set of implementation details and assumptions
82 // -- change any one of them and it will break. The most important assumption
83 // is that updates are always synchronous, because concurrent rendering is
84 // only available in versions of React that also have a built-in
85 // useSyncExternalStore API. And we only use this shim when the built-in API
86 // does not exist.
87 //
88 // Do not assume that the clever hacks used by this hook also work in general.
89 // The point of this shim is to replace the need for hacks by other libraries.
90
91 function useSyncExternalStore$2(subscribe, getSnapshot, // Note: The shim does not use getServerSnapshot, because pre-18 versions of
92 // React do not expose a way to check if we're hydrating. So users of the shim
93 // will need to track that themselves and return the correct value
94 // from `getSnapshot`.
95 getServerSnapshot) {
96 {
97 if (!didWarnOld18Alpha) {
98 if ("startTransition" in React__namespace) {
99 didWarnOld18Alpha = true;
100 console.error("You are using an outdated, pre-release alpha of React 18 that " + "does not support useSyncExternalStore. The " + "use-sync-external-store shim will not work correctly. Upgrade " + "to a newer pre-release.");
101 }
102 }
103 } // Read the current snapshot from the store on every render. Again, this
104 // breaks the rules of React, and only works here because of specific
105 // implementation details, most importantly that updates are
106 // always synchronous.
107
108
109 const value = getSnapshot();
110
111 {
112 if (!didWarnUncachedGetSnapshot) {
113 const cachedValue = getSnapshot();
114
115 if (!is(value, cachedValue)) {
116 console.error("The result of getSnapshot should be cached to avoid an infinite loop");
117 didWarnUncachedGetSnapshot = true;
118 }
119 }
120 } // Because updates are synchronous, we don't queue them. Instead we force a
121 // re-render whenever the subscribed state changes by updating an some
122 // arbitrary useState hook. Then, during render, we call getSnapshot to read
123 // the current value.
124 //
125 // Because we don't actually use the state returned by the useState hook, we
126 // can save a bit of memory by storing other stuff in that slot.
127 //
128 // To implement the early bailout, we need to track some things on a mutable
129 // object. Usually, we would put that in a useRef hook, but we can stash it in
130 // our useState hook instead.
131 //
132 // To force a re-render, we call forceUpdate({inst}). That works because the
133 // new object always fails an equality check.
134
135
136 const [{
137 inst
138 }, forceUpdate] = useState({
139 inst: {
140 value,
141 getSnapshot
142 }
143 }); // Track the latest getSnapshot function with a ref. This needs to be updated
144 // in the layout phase so we can access it during the tearing check that
145 // happens on subscribe.
146
147 useLayoutEffect(() => {
148 inst.value = value;
149 inst.getSnapshot = getSnapshot; // Whenever getSnapshot or subscribe changes, we need to check in the
150 // commit phase if there was an interleaved mutation. In concurrent mode
151 // this can happen all the time, but even in synchronous mode, an earlier
152 // effect may have mutated the store.
153
154 if (checkIfSnapshotChanged(inst)) {
155 // Force a re-render.
156 forceUpdate({
157 inst
158 });
159 } // eslint-disable-next-line react-hooks/exhaustive-deps
160
161 }, [subscribe, value, getSnapshot]);
162 useEffect(() => {
163 // Check for changes right before subscribing. Subsequent changes will be
164 // detected in the subscription handler.
165 if (checkIfSnapshotChanged(inst)) {
166 // Force a re-render.
167 forceUpdate({
168 inst
169 });
170 }
171
172 const handleStoreChange = () => {
173 // TODO: Because there is no cross-renderer API for batching updates, it's
174 // up to the consumer of this library to wrap their subscription event
175 // with unstable_batchedUpdates. Should we try to detect when this isn't
176 // the case and print a warning in development?
177 // The store changed. Check if the snapshot changed since the last time we
178 // read from the store.
179 if (checkIfSnapshotChanged(inst)) {
180 // Force a re-render.
181 forceUpdate({
182 inst
183 });
184 }
185 }; // Subscribe to the store and return a clean-up function.
186
187
188 return subscribe(handleStoreChange); // eslint-disable-next-line react-hooks/exhaustive-deps
189 }, [subscribe]);
190 useDebugValue(value);
191 return value;
192 }
193
194 function checkIfSnapshotChanged(inst) {
195 const latestGetSnapshot = inst.getSnapshot;
196 const prevValue = inst.value;
197
198 try {
199 const nextValue = latestGetSnapshot();
200 return !is(prevValue, nextValue);
201 } catch (error) {
202 return true;
203 }
204 }
205
206 /**
207 * Copyright (c) Facebook, Inc. and its affiliates.
208 *
209 * This source code is licensed under the MIT license found in the
210 * LICENSE file in the root directory of this source tree.
211 *
212 * @flow
213 */
214 function useSyncExternalStore$1(subscribe, getSnapshot, getServerSnapshot) {
215 // Note: The shim does not use getServerSnapshot, because pre-18 versions of
216 // React do not expose a way to check if we're hydrating. So users of the shim
217 // will need to track that themselves and return the correct value
218 // from `getSnapshot`.
219 return getSnapshot();
220 }
221
222 /**
223 * Inlined into the react-router repo since use-sync-external-store does not
224 * provide a UMD-compatible package, so we need this to be able to distribute
225 * UMD react-router bundles
226 */
227 const canUseDOM = !!(typeof window !== "undefined" && typeof window.document !== "undefined" && typeof window.document.createElement !== "undefined");
228 const isServerEnvironment = !canUseDOM;
229 const shim = isServerEnvironment ? useSyncExternalStore$1 : useSyncExternalStore$2;
230 const useSyncExternalStore = "useSyncExternalStore" in React__namespace ? (module => module.useSyncExternalStore)(React__namespace) : shim;
231
232 // Contexts for data routers
233 const DataStaticRouterContext = /*#__PURE__*/React__namespace.createContext(null);
234
235 {
236 DataStaticRouterContext.displayName = "DataStaticRouterContext";
237 }
238
239 const DataRouterContext = /*#__PURE__*/React__namespace.createContext(null);
240
241 {
242 DataRouterContext.displayName = "DataRouter";
243 }
244
245 const DataRouterStateContext = /*#__PURE__*/React__namespace.createContext(null);
246
247 {
248 DataRouterStateContext.displayName = "DataRouterState";
249 }
250
251 const AwaitContext = /*#__PURE__*/React__namespace.createContext(null);
252
253 {
254 AwaitContext.displayName = "Await";
255 }
256
257 const NavigationContext = /*#__PURE__*/React__namespace.createContext(null);
258
259 {
260 NavigationContext.displayName = "Navigation";
261 }
262
263 const LocationContext = /*#__PURE__*/React__namespace.createContext(null);
264
265 {
266 LocationContext.displayName = "Location";
267 }
268
269 const RouteContext = /*#__PURE__*/React__namespace.createContext({
270 outlet: null,
271 matches: []
272 });
273
274 {
275 RouteContext.displayName = "Route";
276 }
277
278 const RouteErrorContext = /*#__PURE__*/React__namespace.createContext(null);
279
280 {
281 RouteErrorContext.displayName = "RouteError";
282 }
283
284 /**
285 * Returns the full href for the given "to" value. This is useful for building
286 * custom links that are also accessible and preserve right-click behavior.
287 *
288 * @see https://reactrouter.com/docs/en/v6/hooks/use-href
289 */
290
291 function useHref(to, _temp) {
292 let {
293 relative
294 } = _temp === void 0 ? {} : _temp;
295 !useInRouterContext() ? router.invariant(false, // TODO: This error is probably because they somehow have 2 versions of the
296 // router loaded. We can help them understand how to avoid that.
297 "useHref() may be used only in the context of a <Router> component.") : void 0;
298 let {
299 basename,
300 navigator
301 } = React__namespace.useContext(NavigationContext);
302 let {
303 hash,
304 pathname,
305 search
306 } = useResolvedPath(to, {
307 relative
308 });
309 let joinedPathname = pathname; // If we're operating within a basename, prepend it to the pathname prior
310 // to creating the href. If this is a root navigation, then just use the raw
311 // basename which allows the basename to have full control over the presence
312 // of a trailing slash on root links
313
314 if (basename !== "/") {
315 joinedPathname = pathname === "/" ? basename : router.joinPaths([basename, pathname]);
316 }
317
318 return navigator.createHref({
319 pathname: joinedPathname,
320 search,
321 hash
322 });
323 }
324 /**
325 * Returns true if this component is a descendant of a <Router>.
326 *
327 * @see https://reactrouter.com/docs/en/v6/hooks/use-in-router-context
328 */
329
330 function useInRouterContext() {
331 return React__namespace.useContext(LocationContext) != null;
332 }
333 /**
334 * Returns the current location object, which represents the current URL in web
335 * browsers.
336 *
337 * Note: If you're using this it may mean you're doing some of your own
338 * "routing" in your app, and we'd like to know what your use case is. We may
339 * be able to provide something higher-level to better suit your needs.
340 *
341 * @see https://reactrouter.com/docs/en/v6/hooks/use-location
342 */
343
344 function useLocation() {
345 !useInRouterContext() ? router.invariant(false, // TODO: This error is probably because they somehow have 2 versions of the
346 // router loaded. We can help them understand how to avoid that.
347 "useLocation() may be used only in the context of a <Router> component.") : void 0;
348 return React__namespace.useContext(LocationContext).location;
349 }
350 /**
351 * Returns the current navigation action which describes how the router came to
352 * the current location, either by a pop, push, or replace on the history stack.
353 *
354 * @see https://reactrouter.com/docs/en/v6/hooks/use-navigation-type
355 */
356
357 function useNavigationType() {
358 return React__namespace.useContext(LocationContext).navigationType;
359 }
360 /**
361 * Returns a PathMatch object if the given pattern matches the current URL.
362 * This is useful for components that need to know "active" state, e.g.
363 * <NavLink>.
364 *
365 * @see https://reactrouter.com/docs/en/v6/hooks/use-match
366 */
367
368 function useMatch(pattern) {
369 !useInRouterContext() ? router.invariant(false, // TODO: This error is probably because they somehow have 2 versions of the
370 // router loaded. We can help them understand how to avoid that.
371 "useMatch() may be used only in the context of a <Router> component.") : void 0;
372 let {
373 pathname
374 } = useLocation();
375 return React__namespace.useMemo(() => router.matchPath(pattern, pathname), [pathname, pattern]);
376 }
377 /**
378 * The interface for the navigate() function returned from useNavigate().
379 */
380
381 /**
382 * Returns an imperative method for changing the location. Used by <Link>s, but
383 * may also be used by other elements to change the location.
384 *
385 * @see https://reactrouter.com/docs/en/v6/hooks/use-navigate
386 */
387 function useNavigate() {
388 !useInRouterContext() ? router.invariant(false, // TODO: This error is probably because they somehow have 2 versions of the
389 // router loaded. We can help them understand how to avoid that.
390 "useNavigate() may be used only in the context of a <Router> component.") : void 0;
391 let {
392 basename,
393 navigator
394 } = React__namespace.useContext(NavigationContext);
395 let {
396 matches
397 } = React__namespace.useContext(RouteContext);
398 let {
399 pathname: locationPathname
400 } = useLocation();
401 let routePathnamesJson = JSON.stringify(router.UNSAFE_getPathContributingMatches(matches).map(match => match.pathnameBase));
402 let activeRef = React__namespace.useRef(false);
403 React__namespace.useEffect(() => {
404 activeRef.current = true;
405 });
406 let navigate = React__namespace.useCallback(function (to, options) {
407 if (options === void 0) {
408 options = {};
409 }
410
411 router.warning(activeRef.current, "You should call navigate() in a React.useEffect(), not when " + "your component is first rendered.") ;
412 if (!activeRef.current) return;
413
414 if (typeof to === "number") {
415 navigator.go(to);
416 return;
417 }
418
419 let path = router.resolveTo(to, JSON.parse(routePathnamesJson), locationPathname, options.relative === "path"); // If we're operating within a basename, prepend it to the pathname prior
420 // to handing off to history. If this is a root navigation, then we
421 // navigate to the raw basename which allows the basename to have full
422 // control over the presence of a trailing slash on root links
423
424 if (basename !== "/") {
425 path.pathname = path.pathname === "/" ? basename : router.joinPaths([basename, path.pathname]);
426 }
427
428 (!!options.replace ? navigator.replace : navigator.push)(path, options.state, options);
429 }, [basename, navigator, routePathnamesJson, locationPathname]);
430 return navigate;
431 }
432 const OutletContext = /*#__PURE__*/React__namespace.createContext(null);
433 /**
434 * Returns the context (if provided) for the child route at this level of the route
435 * hierarchy.
436 * @see https://reactrouter.com/docs/en/v6/hooks/use-outlet-context
437 */
438
439 function useOutletContext() {
440 return React__namespace.useContext(OutletContext);
441 }
442 /**
443 * Returns the element for the child route at this level of the route
444 * hierarchy. Used internally by <Outlet> to render child routes.
445 *
446 * @see https://reactrouter.com/docs/en/v6/hooks/use-outlet
447 */
448
449 function useOutlet(context) {
450 let outlet = React__namespace.useContext(RouteContext).outlet;
451
452 if (outlet) {
453 return /*#__PURE__*/React__namespace.createElement(OutletContext.Provider, {
454 value: context
455 }, outlet);
456 }
457
458 return outlet;
459 }
460 /**
461 * Returns an object of key/value pairs of the dynamic params from the current
462 * URL that were matched by the route path.
463 *
464 * @see https://reactrouter.com/docs/en/v6/hooks/use-params
465 */
466
467 function useParams() {
468 let {
469 matches
470 } = React__namespace.useContext(RouteContext);
471 let routeMatch = matches[matches.length - 1];
472 return routeMatch ? routeMatch.params : {};
473 }
474 /**
475 * Resolves the pathname of the given `to` value against the current location.
476 *
477 * @see https://reactrouter.com/docs/en/v6/hooks/use-resolved-path
478 */
479
480 function useResolvedPath(to, _temp2) {
481 let {
482 relative
483 } = _temp2 === void 0 ? {} : _temp2;
484 let {
485 matches
486 } = React__namespace.useContext(RouteContext);
487 let {
488 pathname: locationPathname
489 } = useLocation();
490 let routePathnamesJson = JSON.stringify(router.UNSAFE_getPathContributingMatches(matches).map(match => match.pathnameBase));
491 return React__namespace.useMemo(() => router.resolveTo(to, JSON.parse(routePathnamesJson), locationPathname, relative === "path"), [to, routePathnamesJson, locationPathname, relative]);
492 }
493 /**
494 * Returns the element of the route that matched the current location, prepared
495 * with the correct context to render the remainder of the route tree. Route
496 * elements in the tree must render an <Outlet> to render their child route's
497 * element.
498 *
499 * @see https://reactrouter.com/docs/en/v6/hooks/use-routes
500 */
501
502 function useRoutes(routes, locationArg) {
503 !useInRouterContext() ? router.invariant(false, // TODO: This error is probably because they somehow have 2 versions of the
504 // router loaded. We can help them understand how to avoid that.
505 "useRoutes() may be used only in the context of a <Router> component.") : void 0;
506 let {
507 navigator
508 } = React__namespace.useContext(NavigationContext);
509 let dataRouterStateContext = React__namespace.useContext(DataRouterStateContext);
510 let {
511 matches: parentMatches
512 } = React__namespace.useContext(RouteContext);
513 let routeMatch = parentMatches[parentMatches.length - 1];
514 let parentParams = routeMatch ? routeMatch.params : {};
515 let parentPathname = routeMatch ? routeMatch.pathname : "/";
516 let parentPathnameBase = routeMatch ? routeMatch.pathnameBase : "/";
517 let parentRoute = routeMatch && routeMatch.route;
518
519 {
520 // You won't get a warning about 2 different <Routes> under a <Route>
521 // without a trailing *, but this is a best-effort warning anyway since we
522 // cannot even give the warning unless they land at the parent route.
523 //
524 // Example:
525 //
526 // <Routes>
527 // {/* This route path MUST end with /* because otherwise
528 // it will never match /blog/post/123 */}
529 // <Route path="blog" element={<Blog />} />
530 // <Route path="blog/feed" element={<BlogFeed />} />
531 // </Routes>
532 //
533 // function Blog() {
534 // return (
535 // <Routes>
536 // <Route path="post/:id" element={<Post />} />
537 // </Routes>
538 // );
539 // }
540 let parentPath = parentRoute && parentRoute.path || "";
541 warningOnce(parentPathname, !parentRoute || parentPath.endsWith("*"), "You rendered descendant <Routes> (or called `useRoutes()`) at " + ("\"" + parentPathname + "\" (under <Route path=\"" + parentPath + "\">) but the ") + "parent route path has no trailing \"*\". This means if you navigate " + "deeper, the parent won't match anymore and therefore the child " + "routes will never render.\n\n" + ("Please change the parent <Route path=\"" + parentPath + "\"> to <Route ") + ("path=\"" + (parentPath === "/" ? "*" : parentPath + "/*") + "\">."));
542 }
543
544 let locationFromContext = useLocation();
545 let location;
546
547 if (locationArg) {
548 var _parsedLocationArg$pa;
549
550 let parsedLocationArg = typeof locationArg === "string" ? router.parsePath(locationArg) : locationArg;
551 !(parentPathnameBase === "/" || ((_parsedLocationArg$pa = parsedLocationArg.pathname) == null ? void 0 : _parsedLocationArg$pa.startsWith(parentPathnameBase))) ? router.invariant(false, "When overriding the location using `<Routes location>` or `useRoutes(routes, location)`, " + "the location pathname must begin with the portion of the URL pathname that was " + ("matched by all parent routes. The current pathname base is \"" + parentPathnameBase + "\" ") + ("but pathname \"" + parsedLocationArg.pathname + "\" was given in the `location` prop.")) : void 0;
552 location = parsedLocationArg;
553 } else {
554 location = locationFromContext;
555 }
556
557 let pathname = location.pathname || "/";
558 let remainingPathname = parentPathnameBase === "/" ? pathname : pathname.slice(parentPathnameBase.length) || "/";
559 let matches = router.matchRoutes(routes, {
560 pathname: remainingPathname
561 });
562
563 {
564 router.warning(parentRoute || matches != null, "No routes matched location \"" + location.pathname + location.search + location.hash + "\" ") ;
565 router.warning(matches == null || matches[matches.length - 1].route.element !== undefined, "Matched leaf route at location \"" + location.pathname + location.search + location.hash + "\" does not have an element. " + "This means it will render an <Outlet /> with a null value by default resulting in an \"empty\" page.") ;
566 }
567
568 let renderedMatches = _renderMatches(matches && matches.map(match => Object.assign({}, match, {
569 params: Object.assign({}, parentParams, match.params),
570 pathname: router.joinPaths([parentPathnameBase, // Re-encode pathnames that were decoded inside matchRoutes
571 navigator.encodeLocation ? navigator.encodeLocation(match.pathname).pathname : match.pathname]),
572 pathnameBase: match.pathnameBase === "/" ? parentPathnameBase : router.joinPaths([parentPathnameBase, // Re-encode pathnames that were decoded inside matchRoutes
573 navigator.encodeLocation ? navigator.encodeLocation(match.pathnameBase).pathname : match.pathnameBase])
574 })), parentMatches, dataRouterStateContext || undefined); // When a user passes in a `locationArg`, the associated routes need to
575 // be wrapped in a new `LocationContext.Provider` in order for `useLocation`
576 // to use the scoped location instead of the global location.
577
578
579 if (locationArg && renderedMatches) {
580 return /*#__PURE__*/React__namespace.createElement(LocationContext.Provider, {
581 value: {
582 location: _extends({
583 pathname: "/",
584 search: "",
585 hash: "",
586 state: null,
587 key: "default"
588 }, location),
589 navigationType: router.Action.Pop
590 }
591 }, renderedMatches);
592 }
593
594 return renderedMatches;
595 }
596
597 function DefaultErrorElement() {
598 let error = useRouteError();
599 let message = router.isRouteErrorResponse(error) ? error.status + " " + error.statusText : error instanceof Error ? error.message : JSON.stringify(error);
600 let stack = error instanceof Error ? error.stack : null;
601 let lightgrey = "rgba(200,200,200, 0.5)";
602 let preStyles = {
603 padding: "0.5rem",
604 backgroundColor: lightgrey
605 };
606 let codeStyles = {
607 padding: "2px 4px",
608 backgroundColor: lightgrey
609 };
610 return /*#__PURE__*/React__namespace.createElement(React__namespace.Fragment, null, /*#__PURE__*/React__namespace.createElement("h2", null, "Unhandled Thrown Error!"), /*#__PURE__*/React__namespace.createElement("h3", {
611 style: {
612 fontStyle: "italic"
613 }
614 }, message), stack ? /*#__PURE__*/React__namespace.createElement("pre", {
615 style: preStyles
616 }, stack) : null, /*#__PURE__*/React__namespace.createElement("p", null, "\uD83D\uDCBF Hey developer \uD83D\uDC4B"), /*#__PURE__*/React__namespace.createElement("p", null, "You can provide a way better UX than this when your app throws errors by providing your own\xA0", /*#__PURE__*/React__namespace.createElement("code", {
617 style: codeStyles
618 }, "errorElement"), " props on\xA0", /*#__PURE__*/React__namespace.createElement("code", {
619 style: codeStyles
620 }, "<Route>")));
621 }
622
623 class RenderErrorBoundary extends React__namespace.Component {
624 constructor(props) {
625 super(props);
626 this.state = {
627 location: props.location,
628 error: props.error
629 };
630 }
631
632 static getDerivedStateFromError(error) {
633 return {
634 error: error
635 };
636 }
637
638 static getDerivedStateFromProps(props, state) {
639 // When we get into an error state, the user will likely click "back" to the
640 // previous page that didn't have an error. Because this wraps the entire
641 // application, that will have no effect--the error page continues to display.
642 // This gives us a mechanism to recover from the error when the location changes.
643 //
644 // Whether we're in an error state or not, we update the location in state
645 // so that when we are in an error state, it gets reset when a new location
646 // comes in and the user recovers from the error.
647 if (state.location !== props.location) {
648 return {
649 error: props.error,
650 location: props.location
651 };
652 } // If we're not changing locations, preserve the location but still surface
653 // any new errors that may come through. We retain the existing error, we do
654 // this because the error provided from the app state may be cleared without
655 // the location changing.
656
657
658 return {
659 error: props.error || state.error,
660 location: state.location
661 };
662 }
663
664 componentDidCatch(error, errorInfo) {
665 console.error("React Router caught the following error during render", error, errorInfo);
666 }
667
668 render() {
669 return this.state.error ? /*#__PURE__*/React__namespace.createElement(RouteErrorContext.Provider, {
670 value: this.state.error,
671 children: this.props.component
672 }) : this.props.children;
673 }
674
675 }
676
677 function RenderedRoute(_ref) {
678 let {
679 routeContext,
680 match,
681 children
682 } = _ref;
683 let dataStaticRouterContext = React__namespace.useContext(DataStaticRouterContext); // Track how deep we got in our render pass to emulate SSR componentDidCatch
684 // in a DataStaticRouter
685
686 if (dataStaticRouterContext && match.route.errorElement) {
687 dataStaticRouterContext._deepestRenderedBoundaryId = match.route.id;
688 }
689
690 return /*#__PURE__*/React__namespace.createElement(RouteContext.Provider, {
691 value: routeContext
692 }, children);
693 }
694
695 function _renderMatches(matches, parentMatches, dataRouterState) {
696 if (parentMatches === void 0) {
697 parentMatches = [];
698 }
699
700 if (matches == null) {
701 if (dataRouterState != null && dataRouterState.errors) {
702 // Don't bail if we have data router errors so we can render them in the
703 // boundary. Use the pre-matched (or shimmed) matches
704 matches = dataRouterState.matches;
705 } else {
706 return null;
707 }
708 }
709
710 let renderedMatches = matches; // If we have data errors, trim matches to the highest error boundary
711
712 let errors = dataRouterState == null ? void 0 : dataRouterState.errors;
713
714 if (errors != null) {
715 let errorIndex = renderedMatches.findIndex(m => m.route.id && (errors == null ? void 0 : errors[m.route.id]));
716 !(errorIndex >= 0) ? router.invariant(false, "Could not find a matching route for the current errors: " + errors) : void 0;
717 renderedMatches = renderedMatches.slice(0, Math.min(renderedMatches.length, errorIndex + 1));
718 }
719
720 return renderedMatches.reduceRight((outlet, match, index) => {
721 let error = match.route.id ? errors == null ? void 0 : errors[match.route.id] : null; // Only data routers handle errors
722
723 let errorElement = dataRouterState ? match.route.errorElement || /*#__PURE__*/React__namespace.createElement(DefaultErrorElement, null) : null;
724
725 let getChildren = () => /*#__PURE__*/React__namespace.createElement(RenderedRoute, {
726 match: match,
727 routeContext: {
728 outlet,
729 matches: parentMatches.concat(renderedMatches.slice(0, index + 1))
730 }
731 }, error ? errorElement : match.route.element !== undefined ? match.route.element : outlet); // Only wrap in an error boundary within data router usages when we have an
732 // errorElement on this route. Otherwise let it bubble up to an ancestor
733 // errorElement
734
735
736 return dataRouterState && (match.route.errorElement || index === 0) ? /*#__PURE__*/React__namespace.createElement(RenderErrorBoundary, {
737 location: dataRouterState.location,
738 component: errorElement,
739 error: error,
740 children: getChildren()
741 }) : getChildren();
742 }, null);
743 }
744 var DataRouterHook;
745
746 (function (DataRouterHook) {
747 DataRouterHook["UseRevalidator"] = "useRevalidator";
748 })(DataRouterHook || (DataRouterHook = {}));
749
750 var DataRouterStateHook;
751
752 (function (DataRouterStateHook) {
753 DataRouterStateHook["UseLoaderData"] = "useLoaderData";
754 DataRouterStateHook["UseActionData"] = "useActionData";
755 DataRouterStateHook["UseRouteError"] = "useRouteError";
756 DataRouterStateHook["UseNavigation"] = "useNavigation";
757 DataRouterStateHook["UseRouteLoaderData"] = "useRouteLoaderData";
758 DataRouterStateHook["UseMatches"] = "useMatches";
759 DataRouterStateHook["UseRevalidator"] = "useRevalidator";
760 })(DataRouterStateHook || (DataRouterStateHook = {}));
761
762 function getDataRouterConsoleError(hookName) {
763 return hookName + " must be used within a data router. See https://reactrouter.com/en/main/routers/picking-a-router.";
764 }
765
766 function useDataRouterContext(hookName) {
767 let ctx = React__namespace.useContext(DataRouterContext);
768 !ctx ? router.invariant(false, getDataRouterConsoleError(hookName)) : void 0;
769 return ctx;
770 }
771
772 function useDataRouterState(hookName) {
773 let state = React__namespace.useContext(DataRouterStateContext);
774 !state ? router.invariant(false, getDataRouterConsoleError(hookName)) : void 0;
775 return state;
776 }
777 /**
778 * Returns the current navigation, defaulting to an "idle" navigation when
779 * no navigation is in progress
780 */
781
782
783 function useNavigation() {
784 let state = useDataRouterState(DataRouterStateHook.UseNavigation);
785 return state.navigation;
786 }
787 /**
788 * Returns a revalidate function for manually triggering revalidation, as well
789 * as the current state of any manual revalidations
790 */
791
792 function useRevalidator() {
793 let dataRouterContext = useDataRouterContext(DataRouterHook.UseRevalidator);
794 let state = useDataRouterState(DataRouterStateHook.UseRevalidator);
795 return {
796 revalidate: dataRouterContext.router.revalidate,
797 state: state.revalidation
798 };
799 }
800 /**
801 * Returns the active route matches, useful for accessing loaderData for
802 * parent/child routes or the route "handle" property
803 */
804
805 function useMatches() {
806 let {
807 matches,
808 loaderData
809 } = useDataRouterState(DataRouterStateHook.UseMatches);
810 return React__namespace.useMemo(() => matches.map(match => {
811 let {
812 pathname,
813 params
814 } = match; // Note: This structure matches that created by createUseMatchesMatch
815 // in the @remix-run/router , so if you change this please also change
816 // that :) Eventually we'll DRY this up
817
818 return {
819 id: match.route.id,
820 pathname,
821 params,
822 data: loaderData[match.route.id],
823 handle: match.route.handle
824 };
825 }), [matches, loaderData]);
826 }
827 /**
828 * Returns the loader data for the nearest ancestor Route loader
829 */
830
831 function useLoaderData() {
832 let state = useDataRouterState(DataRouterStateHook.UseLoaderData);
833 let route = React__namespace.useContext(RouteContext);
834 !route ? router.invariant(false, "useLoaderData must be used inside a RouteContext") : void 0;
835 let thisRoute = route.matches[route.matches.length - 1];
836 !thisRoute.route.id ? router.invariant(false, "useLoaderData can only be used on routes that contain a unique \"id\"") : void 0;
837 return state.loaderData[thisRoute.route.id];
838 }
839 /**
840 * Returns the loaderData for the given routeId
841 */
842
843 function useRouteLoaderData(routeId) {
844 let state = useDataRouterState(DataRouterStateHook.UseRouteLoaderData);
845 return state.loaderData[routeId];
846 }
847 /**
848 * Returns the action data for the nearest ancestor Route action
849 */
850
851 function useActionData() {
852 let state = useDataRouterState(DataRouterStateHook.UseActionData);
853 let route = React__namespace.useContext(RouteContext);
854 !route ? router.invariant(false, "useActionData must be used inside a RouteContext") : void 0;
855 return Object.values((state == null ? void 0 : state.actionData) || {})[0];
856 }
857 /**
858 * Returns the nearest ancestor Route error, which could be a loader/action
859 * error or a render error. This is intended to be called from your
860 * errorElement to display a proper error message.
861 */
862
863 function useRouteError() {
864 var _state$errors;
865
866 let error = React__namespace.useContext(RouteErrorContext);
867 let state = useDataRouterState(DataRouterStateHook.UseRouteError);
868 let route = React__namespace.useContext(RouteContext);
869 let thisRoute = route.matches[route.matches.length - 1]; // If this was a render error, we put it in a RouteError context inside
870 // of RenderErrorBoundary
871
872 if (error) {
873 return error;
874 }
875
876 !route ? router.invariant(false, "useRouteError must be used inside a RouteContext") : void 0;
877 !thisRoute.route.id ? router.invariant(false, "useRouteError can only be used on routes that contain a unique \"id\"") : void 0; // Otherwise look for errors from our data router state
878
879 return (_state$errors = state.errors) == null ? void 0 : _state$errors[thisRoute.route.id];
880 }
881 /**
882 * Returns the happy-path data from the nearest ancestor <Await /> value
883 */
884
885 function useAsyncValue() {
886 let value = React__namespace.useContext(AwaitContext);
887 return value == null ? void 0 : value._data;
888 }
889 /**
890 * Returns the error from the nearest ancestor <Await /> value
891 */
892
893 function useAsyncError() {
894 let value = React__namespace.useContext(AwaitContext);
895 return value == null ? void 0 : value._error;
896 }
897 const alreadyWarned = {};
898
899 function warningOnce(key, cond, message) {
900 if (!cond && !alreadyWarned[key]) {
901 alreadyWarned[key] = true;
902 router.warning(false, message) ;
903 }
904 }
905
906 /**
907 * Given a Remix Router instance, render the appropriate UI
908 */
909 function RouterProvider(_ref) {
910 let {
911 fallbackElement,
912 router
913 } = _ref;
914 // Sync router state to our component state to force re-renders
915 let state = useSyncExternalStore(router.subscribe, () => router.state, // We have to provide this so React@18 doesn't complain during hydration,
916 // but we pass our serialized hydration data into the router so state here
917 // is already synced with what the server saw
918 () => router.state);
919 let navigator = React__namespace.useMemo(() => {
920 return {
921 createHref: router.createHref,
922 encodeLocation: router.encodeLocation,
923 go: n => router.navigate(n),
924 push: (to, state, opts) => router.navigate(to, {
925 state,
926 preventScrollReset: opts == null ? void 0 : opts.preventScrollReset
927 }),
928 replace: (to, state, opts) => router.navigate(to, {
929 replace: true,
930 state,
931 preventScrollReset: opts == null ? void 0 : opts.preventScrollReset
932 })
933 };
934 }, [router]);
935 let basename = router.basename || "/";
936 return /*#__PURE__*/React__namespace.createElement(DataRouterContext.Provider, {
937 value: {
938 router,
939 navigator,
940 static: false,
941 // Do we need this?
942 basename
943 }
944 }, /*#__PURE__*/React__namespace.createElement(DataRouterStateContext.Provider, {
945 value: state
946 }, /*#__PURE__*/React__namespace.createElement(Router, {
947 basename: router.basename,
948 location: router.state.location,
949 navigationType: router.state.historyAction,
950 navigator: navigator
951 }, router.state.initialized ? /*#__PURE__*/React__namespace.createElement(Routes, null) : fallbackElement)));
952 }
953
954 /**
955 * A <Router> that stores all entries in memory.
956 *
957 * @see https://reactrouter.com/docs/en/v6/routers/memory-router
958 */
959 function MemoryRouter(_ref2) {
960 let {
961 basename,
962 children,
963 initialEntries,
964 initialIndex
965 } = _ref2;
966 let historyRef = React__namespace.useRef();
967
968 if (historyRef.current == null) {
969 historyRef.current = router.createMemoryHistory({
970 initialEntries,
971 initialIndex,
972 v5Compat: true
973 });
974 }
975
976 let history = historyRef.current;
977 let [state, setState] = React__namespace.useState({
978 action: history.action,
979 location: history.location
980 });
981 React__namespace.useLayoutEffect(() => history.listen(setState), [history]);
982 return /*#__PURE__*/React__namespace.createElement(Router, {
983 basename: basename,
984 children: children,
985 location: state.location,
986 navigationType: state.action,
987 navigator: history
988 });
989 }
990
991 /**
992 * Changes the current location.
993 *
994 * Note: This API is mostly useful in React.Component subclasses that are not
995 * able to use hooks. In functional components, we recommend you use the
996 * `useNavigate` hook instead.
997 *
998 * @see https://reactrouter.com/docs/en/v6/components/navigate
999 */
1000 function Navigate(_ref3) {
1001 let {
1002 to,
1003 replace,
1004 state,
1005 relative
1006 } = _ref3;
1007 !useInRouterContext() ? router.invariant(false, // TODO: This error is probably because they somehow have 2 versions of
1008 // the router loaded. We can help them understand how to avoid that.
1009 "<Navigate> may be used only in the context of a <Router> component.") : void 0;
1010 router.warning(!React__namespace.useContext(NavigationContext).static, "<Navigate> must not be used on the initial render in a <StaticRouter>. " + "This is a no-op, but you should modify your code so the <Navigate> is " + "only ever rendered in response to some user interaction or state change.") ;
1011 let dataRouterState = React__namespace.useContext(DataRouterStateContext);
1012 let navigate = useNavigate();
1013 React__namespace.useEffect(() => {
1014 // Avoid kicking off multiple navigations if we're in the middle of a
1015 // data-router navigation, since components get re-rendered when we enter
1016 // a submitting/loading state
1017 if (dataRouterState && dataRouterState.navigation.state !== "idle") {
1018 return;
1019 }
1020
1021 navigate(to, {
1022 replace,
1023 state,
1024 relative
1025 });
1026 });
1027 return null;
1028 }
1029
1030 /**
1031 * Renders the child route's element, if there is one.
1032 *
1033 * @see https://reactrouter.com/docs/en/v6/components/outlet
1034 */
1035 function Outlet(props) {
1036 return useOutlet(props.context);
1037 }
1038
1039 /**
1040 * Declares an element that should be rendered at a certain URL path.
1041 *
1042 * @see https://reactrouter.com/docs/en/v6/components/route
1043 */
1044 function Route(_props) {
1045 router.invariant(false, "A <Route> is only ever to be used as the child of <Routes> element, " + "never rendered directly. Please wrap your <Route> in a <Routes>.") ;
1046 }
1047
1048 /**
1049 * Provides location context for the rest of the app.
1050 *
1051 * Note: You usually won't render a <Router> directly. Instead, you'll render a
1052 * router that is more specific to your environment such as a <BrowserRouter>
1053 * in web browsers or a <StaticRouter> for server rendering.
1054 *
1055 * @see https://reactrouter.com/docs/en/v6/routers/router
1056 */
1057 function Router(_ref4) {
1058 let {
1059 basename: basenameProp = "/",
1060 children = null,
1061 location: locationProp,
1062 navigationType = router.Action.Pop,
1063 navigator,
1064 static: staticProp = false
1065 } = _ref4;
1066 !!useInRouterContext() ? router.invariant(false, "You cannot render a <Router> inside another <Router>." + " You should never have more than one in your app.") : void 0; // Preserve trailing slashes on basename, so we can let the user control
1067 // the enforcement of trailing slashes throughout the app
1068
1069 let basename = basenameProp.replace(/^\/*/, "/");
1070 let navigationContext = React__namespace.useMemo(() => ({
1071 basename,
1072 navigator,
1073 static: staticProp
1074 }), [basename, navigator, staticProp]);
1075
1076 if (typeof locationProp === "string") {
1077 locationProp = router.parsePath(locationProp);
1078 }
1079
1080 let {
1081 pathname = "/",
1082 search = "",
1083 hash = "",
1084 state = null,
1085 key = "default"
1086 } = locationProp;
1087 let location = React__namespace.useMemo(() => {
1088 let trailingPathname = router.stripBasename(pathname, basename);
1089
1090 if (trailingPathname == null) {
1091 return null;
1092 }
1093
1094 return {
1095 pathname: trailingPathname,
1096 search,
1097 hash,
1098 state,
1099 key
1100 };
1101 }, [basename, pathname, search, hash, state, key]);
1102 router.warning(location != null, "<Router basename=\"" + basename + "\"> is not able to match the URL " + ("\"" + pathname + search + hash + "\" because it does not start with the ") + "basename, so the <Router> won't render anything.") ;
1103
1104 if (location == null) {
1105 return null;
1106 }
1107
1108 return /*#__PURE__*/React__namespace.createElement(NavigationContext.Provider, {
1109 value: navigationContext
1110 }, /*#__PURE__*/React__namespace.createElement(LocationContext.Provider, {
1111 children: children,
1112 value: {
1113 location,
1114 navigationType
1115 }
1116 }));
1117 }
1118
1119 /**
1120 * A container for a nested tree of <Route> elements that renders the branch
1121 * that best matches the current location.
1122 *
1123 * @see https://reactrouter.com/docs/en/v6/components/routes
1124 */
1125 function Routes(_ref5) {
1126 let {
1127 children,
1128 location
1129 } = _ref5;
1130 let dataRouterContext = React__namespace.useContext(DataRouterContext); // When in a DataRouterContext _without_ children, we use the router routes
1131 // directly. If we have children, then we're in a descendant tree and we
1132 // need to use child routes.
1133
1134 let routes = dataRouterContext && !children ? dataRouterContext.router.routes : createRoutesFromChildren(children);
1135 return useRoutes(routes, location);
1136 }
1137
1138 /**
1139 * Component to use for rendering lazily loaded data from returning defer()
1140 * in a loader function
1141 */
1142 function Await(_ref6) {
1143 let {
1144 children,
1145 errorElement,
1146 resolve
1147 } = _ref6;
1148 return /*#__PURE__*/React__namespace.createElement(AwaitErrorBoundary, {
1149 resolve: resolve,
1150 errorElement: errorElement
1151 }, /*#__PURE__*/React__namespace.createElement(ResolveAwait, null, children));
1152 }
1153 var AwaitRenderStatus;
1154
1155 (function (AwaitRenderStatus) {
1156 AwaitRenderStatus[AwaitRenderStatus["pending"] = 0] = "pending";
1157 AwaitRenderStatus[AwaitRenderStatus["success"] = 1] = "success";
1158 AwaitRenderStatus[AwaitRenderStatus["error"] = 2] = "error";
1159 })(AwaitRenderStatus || (AwaitRenderStatus = {}));
1160
1161 const neverSettledPromise = new Promise(() => {});
1162
1163 class AwaitErrorBoundary extends React__namespace.Component {
1164 constructor(props) {
1165 super(props);
1166 this.state = {
1167 error: null
1168 };
1169 }
1170
1171 static getDerivedStateFromError(error) {
1172 return {
1173 error
1174 };
1175 }
1176
1177 componentDidCatch(error, errorInfo) {
1178 console.error("<Await> caught the following error during render", error, errorInfo);
1179 }
1180
1181 render() {
1182 let {
1183 children,
1184 errorElement,
1185 resolve
1186 } = this.props;
1187 let promise = null;
1188 let status = AwaitRenderStatus.pending;
1189
1190 if (!(resolve instanceof Promise)) {
1191 // Didn't get a promise - provide as a resolved promise
1192 status = AwaitRenderStatus.success;
1193 promise = Promise.resolve();
1194 Object.defineProperty(promise, "_tracked", {
1195 get: () => true
1196 });
1197 Object.defineProperty(promise, "_data", {
1198 get: () => resolve
1199 });
1200 } else if (this.state.error) {
1201 // Caught a render error, provide it as a rejected promise
1202 status = AwaitRenderStatus.error;
1203 let renderError = this.state.error;
1204 promise = Promise.reject().catch(() => {}); // Avoid unhandled rejection warnings
1205
1206 Object.defineProperty(promise, "_tracked", {
1207 get: () => true
1208 });
1209 Object.defineProperty(promise, "_error", {
1210 get: () => renderError
1211 });
1212 } else if (resolve._tracked) {
1213 // Already tracked promise - check contents
1214 promise = resolve;
1215 status = promise._error !== undefined ? AwaitRenderStatus.error : promise._data !== undefined ? AwaitRenderStatus.success : AwaitRenderStatus.pending;
1216 } else {
1217 // Raw (untracked) promise - track it
1218 status = AwaitRenderStatus.pending;
1219 Object.defineProperty(resolve, "_tracked", {
1220 get: () => true
1221 });
1222 promise = resolve.then(data => Object.defineProperty(resolve, "_data", {
1223 get: () => data
1224 }), error => Object.defineProperty(resolve, "_error", {
1225 get: () => error
1226 }));
1227 }
1228
1229 if (status === AwaitRenderStatus.error && promise._error instanceof router.AbortedDeferredError) {
1230 // Freeze the UI by throwing a never resolved promise
1231 throw neverSettledPromise;
1232 }
1233
1234 if (status === AwaitRenderStatus.error && !errorElement) {
1235 // No errorElement, throw to the nearest route-level error boundary
1236 throw promise._error;
1237 }
1238
1239 if (status === AwaitRenderStatus.error) {
1240 // Render via our errorElement
1241 return /*#__PURE__*/React__namespace.createElement(AwaitContext.Provider, {
1242 value: promise,
1243 children: errorElement
1244 });
1245 }
1246
1247 if (status === AwaitRenderStatus.success) {
1248 // Render children with resolved value
1249 return /*#__PURE__*/React__namespace.createElement(AwaitContext.Provider, {
1250 value: promise,
1251 children: children
1252 });
1253 } // Throw to the suspense boundary
1254
1255
1256 throw promise;
1257 }
1258
1259 }
1260 /**
1261 * @private
1262 * Indirection to leverage useAsyncValue for a render-prop API on <Await>
1263 */
1264
1265
1266 function ResolveAwait(_ref7) {
1267 let {
1268 children
1269 } = _ref7;
1270 let data = useAsyncValue();
1271
1272 if (typeof children === "function") {
1273 return children(data);
1274 }
1275
1276 return /*#__PURE__*/React__namespace.createElement(React__namespace.Fragment, null, children);
1277 } ///////////////////////////////////////////////////////////////////////////////
1278 // UTILS
1279 ///////////////////////////////////////////////////////////////////////////////
1280
1281 /**
1282 * Creates a route config from a React "children" object, which is usually
1283 * either a `<Route>` element or an array of them. Used internally by
1284 * `<Routes>` to create a route config from its children.
1285 *
1286 * @see https://reactrouter.com/docs/en/v6/utils/create-routes-from-children
1287 */
1288
1289
1290 function createRoutesFromChildren(children, parentPath) {
1291 if (parentPath === void 0) {
1292 parentPath = [];
1293 }
1294
1295 let routes = [];
1296 React__namespace.Children.forEach(children, (element, index) => {
1297 if (! /*#__PURE__*/React__namespace.isValidElement(element)) {
1298 // Ignore non-elements. This allows people to more easily inline
1299 // conditionals in their route config.
1300 return;
1301 }
1302
1303 if (element.type === React__namespace.Fragment) {
1304 // Transparently support React.Fragment and its children.
1305 routes.push.apply(routes, createRoutesFromChildren(element.props.children, parentPath));
1306 return;
1307 }
1308
1309 !(element.type === Route) ? router.invariant(false, "[" + (typeof element.type === "string" ? element.type : element.type.name) + "] is not a <Route> component. All component children of <Routes> must be a <Route> or <React.Fragment>") : void 0;
1310 !(!element.props.index || !element.props.children) ? router.invariant(false, "An index route cannot have child routes.") : void 0;
1311 let treePath = [...parentPath, index];
1312 let route = {
1313 id: element.props.id || treePath.join("-"),
1314 caseSensitive: element.props.caseSensitive,
1315 element: element.props.element,
1316 index: element.props.index,
1317 path: element.props.path,
1318 loader: element.props.loader,
1319 action: element.props.action,
1320 errorElement: element.props.errorElement,
1321 hasErrorBoundary: element.props.errorElement != null,
1322 shouldRevalidate: element.props.shouldRevalidate,
1323 handle: element.props.handle
1324 };
1325
1326 if (element.props.children) {
1327 route.children = createRoutesFromChildren(element.props.children, treePath);
1328 }
1329
1330 routes.push(route);
1331 });
1332 return routes;
1333 }
1334 /**
1335 * Renders the result of `matchRoutes()` into a React element.
1336 */
1337
1338 function renderMatches(matches) {
1339 return _renderMatches(matches);
1340 }
1341 /**
1342 * @private
1343 * Walk the route tree and add hasErrorBoundary if it's not provided, so that
1344 * users providing manual route arrays can just specify errorElement
1345 */
1346
1347 function enhanceManualRouteObjects(routes) {
1348 return routes.map(route => {
1349 let routeClone = _extends({}, route);
1350
1351 if (routeClone.hasErrorBoundary == null) {
1352 routeClone.hasErrorBoundary = routeClone.errorElement != null;
1353 }
1354
1355 if (routeClone.children) {
1356 routeClone.children = enhanceManualRouteObjects(routeClone.children);
1357 }
1358
1359 return routeClone;
1360 });
1361 }
1362
1363 function createMemoryRouter(routes, opts) {
1364 return router.createRouter({
1365 basename: opts == null ? void 0 : opts.basename,
1366 history: router.createMemoryHistory({
1367 initialEntries: opts == null ? void 0 : opts.initialEntries,
1368 initialIndex: opts == null ? void 0 : opts.initialIndex
1369 }),
1370 hydrationData: opts == null ? void 0 : opts.hydrationData,
1371 routes: enhanceManualRouteObjects(routes)
1372 }).initialize();
1373 } ///////////////////////////////////////////////////////////////////////////////
1374
1375 Object.defineProperty(exports, 'AbortedDeferredError', {
1376 enumerable: true,
1377 get: function () { return router.AbortedDeferredError; }
1378 });
1379 Object.defineProperty(exports, 'NavigationType', {
1380 enumerable: true,
1381 get: function () { return router.Action; }
1382 });
1383 Object.defineProperty(exports, 'createPath', {
1384 enumerable: true,
1385 get: function () { return router.createPath; }
1386 });
1387 Object.defineProperty(exports, 'defer', {
1388 enumerable: true,
1389 get: function () { return router.defer; }
1390 });
1391 Object.defineProperty(exports, 'generatePath', {
1392 enumerable: true,
1393 get: function () { return router.generatePath; }
1394 });
1395 Object.defineProperty(exports, 'isRouteErrorResponse', {
1396 enumerable: true,
1397 get: function () { return router.isRouteErrorResponse; }
1398 });
1399 Object.defineProperty(exports, 'json', {
1400 enumerable: true,
1401 get: function () { return router.json; }
1402 });
1403 Object.defineProperty(exports, 'matchPath', {
1404 enumerable: true,
1405 get: function () { return router.matchPath; }
1406 });
1407 Object.defineProperty(exports, 'matchRoutes', {
1408 enumerable: true,
1409 get: function () { return router.matchRoutes; }
1410 });
1411 Object.defineProperty(exports, 'parsePath', {
1412 enumerable: true,
1413 get: function () { return router.parsePath; }
1414 });
1415 Object.defineProperty(exports, 'redirect', {
1416 enumerable: true,
1417 get: function () { return router.redirect; }
1418 });
1419 Object.defineProperty(exports, 'resolvePath', {
1420 enumerable: true,
1421 get: function () { return router.resolvePath; }
1422 });
1423 exports.Await = Await;
1424 exports.MemoryRouter = MemoryRouter;
1425 exports.Navigate = Navigate;
1426 exports.Outlet = Outlet;
1427 exports.Route = Route;
1428 exports.Router = Router;
1429 exports.RouterProvider = RouterProvider;
1430 exports.Routes = Routes;
1431 exports.UNSAFE_DataRouterContext = DataRouterContext;
1432 exports.UNSAFE_DataRouterStateContext = DataRouterStateContext;
1433 exports.UNSAFE_DataStaticRouterContext = DataStaticRouterContext;
1434 exports.UNSAFE_LocationContext = LocationContext;
1435 exports.UNSAFE_NavigationContext = NavigationContext;
1436 exports.UNSAFE_RouteContext = RouteContext;
1437 exports.UNSAFE_enhanceManualRouteObjects = enhanceManualRouteObjects;
1438 exports.createMemoryRouter = createMemoryRouter;
1439 exports.createRoutesFromChildren = createRoutesFromChildren;
1440 exports.createRoutesFromElements = createRoutesFromChildren;
1441 exports.renderMatches = renderMatches;
1442 exports.useActionData = useActionData;
1443 exports.useAsyncError = useAsyncError;
1444 exports.useAsyncValue = useAsyncValue;
1445 exports.useHref = useHref;
1446 exports.useInRouterContext = useInRouterContext;
1447 exports.useLoaderData = useLoaderData;
1448 exports.useLocation = useLocation;
1449 exports.useMatch = useMatch;
1450 exports.useMatches = useMatches;
1451 exports.useNavigate = useNavigate;
1452 exports.useNavigation = useNavigation;
1453 exports.useNavigationType = useNavigationType;
1454 exports.useOutlet = useOutlet;
1455 exports.useOutletContext = useOutletContext;
1456 exports.useParams = useParams;
1457 exports.useResolvedPath = useResolvedPath;
1458 exports.useRevalidator = useRevalidator;
1459 exports.useRouteError = useRouteError;
1460 exports.useRouteLoaderData = useRouteLoaderData;
1461 exports.useRoutes = useRoutes;
1462
1463 Object.defineProperty(exports, '__esModule', { value: true });
1464
1465}));
1466//# sourceMappingURL=react-router.development.js.map