Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Update dependency react-router-dom to v6 #58

Open
wants to merge 1 commit into
base: master
Choose a base branch
from

Conversation

renovate[bot]
Copy link
Contributor

@renovate renovate bot commented Nov 14, 2021

Mend Renovate

This PR contains the following updates:

Package Change Age Adoption Passing Confidence
react-router-dom (source) 5.3.0 -> 6.23.0 age adoption passing confidence

Release Notes

remix-run/react-router (react-router-dom)

v6.23.0

Compare Source

Minor Changes
  • Add a new unstable_dataStrategy configuration option (#​11098)
    • This option allows Data Router applications to take control over the approach for executing route loaders and actions
    • The default implementation is today's behavior, to fetch all loaders in parallel, but this option allows users to implement more advanced data flows including Remix single-fetch, middleware/context APIs, automatic loader caching, and more
Patch Changes
  • Updated dependencies:
    • @remix-run/router@1.16.0
    • react-router@6.23.0

v6.22.3

Compare Source

Patch Changes
  • Updated dependencies:
    • @remix-run/router@1.15.3
    • react-router@6.22.3

v6.22.2

Compare Source

Patch Changes
  • Updated dependencies:
    • @remix-run/router@1.15.2
    • react-router@6.22.2

v6.22.1

Compare Source

v6.22.0

Compare Source

Minor Changes
  • Include a window__reactRouterVersion tag for CWV Report detection (#​11222)
Patch Changes
  • Updated dependencies:
    • @remix-run/router@1.15.0
    • react-router@6.22.0

v6.21.3

Compare Source

Patch Changes
  • Fix NavLink isPending when a basename is used (#​11195)
  • Remove leftover unstable_ prefix from Blocker/BlockerFunction types (#​11187)
  • Updated dependencies:
    • react-router@6.21.3

v6.21.2

Compare Source

v6.21.1

Compare Source

Patch Changes
  • Updated dependencies:
    • react-router@6.21.1
    • @remix-run/router@1.14.1

v6.21.0

Compare Source

Minor Changes
  • Add a new future.v7_relativeSplatPath flag to implement a breaking bug fix to relative routing when inside a splat route. (#​11087)

    This fix was originally added in #​10983 and was later reverted in #​11078 because it was determined that a large number of existing applications were relying on the buggy behavior (see #​11052)

    The Bug
    The buggy behavior is that without this flag, the default behavior when resolving relative paths is to ignore any splat (*) portion of the current route path.

    The Background
    This decision was originally made thinking that it would make the concept of nested different sections of your apps in <Routes> easier if relative routing would replace the current splat:

    <BrowserRouter>
      <Routes>
        <Route path="/" element={<Home />} />
        <Route path="dashboard/*" element={<Dashboard />} />
      </Routes>
    </BrowserRouter>

    Any paths like /dashboard, /dashboard/team, /dashboard/projects will match the Dashboard route. The dashboard component itself can then render nested <Routes>:

    function Dashboard() {
      return (
        <div>
          <h2>Dashboard</h2>
          <nav>
            <Link to="/">Dashboard Home</Link>
            <Link to="team">Team</Link>
            <Link to="projects">Projects</Link>
          </nav>
    
          <Routes>
            <Route path="/" element={<DashboardHome />} />
            <Route path="team" element={<DashboardTeam />} />
            <Route path="projects" element={<DashboardProjects />} />
          </Routes>
        </div>
      );
    }

    Now, all links and route paths are relative to the router above them. This makes code splitting and compartmentalizing your app really easy. You could render the Dashboard as its own independent app, or embed it into your large app without making any changes to it.

    The Problem

    The problem is that this concept of ignoring part of a path breaks a lot of other assumptions in React Router - namely that "." always means the current location pathname for that route. When we ignore the splat portion, we start getting invalid paths when using ".":

    // If we are on URL /dashboard/team, and we want to link to /dashboard/team:
    function DashboardTeam() {
      // ❌ This is broken and results in <a href="/dashboard">
      return <Link to=".">A broken link to the Current URL</Link>;
    
      // ✅ This is fixed but super unintuitive since we're already at /dashboard/team!
      return <Link to="./team">A broken link to the Current URL</Link>;
    }

    We've also introduced an issue that we can no longer move our DashboardTeam component around our route hierarchy easily - since it behaves differently if we're underneath a non-splat route, such as /dashboard/:widget. Now, our "." links will, properly point to ourself inclusive of the dynamic param value so behavior will break from it's corresponding usage in a /dashboard/* route.

    Even worse, consider a nested splat route configuration:

    <BrowserRouter>
      <Routes>
        <Route path="dashboard">
          <Route path="*" element={<Dashboard />} />
        </Route>
      </Routes>
    </BrowserRouter>

    Now, a <Link to="."> and a <Link to=".."> inside the Dashboard component go to the same place! That is definitely not correct!

    Another common issue arose in Data Routers (and Remix) where any <Form> should post to it's own route action if you the user doesn't specify a form action:

    let router = createBrowserRouter({
      path: "/dashboard",
      children: [
        {
          path: "*",
          action: dashboardAction,
          Component() {
            // ❌ This form is broken!  It throws a 405 error when it submits because
            // it tries to submit to /dashboard (without the splat value) and the parent
            // `/dashboard` route doesn't have an action
            return <Form method="post">...</Form>;
          },
        },
      ],
    });

    This is just a compounded issue from the above because the default location for a Form to submit to is itself (".") - and if we ignore the splat portion, that now resolves to the parent route.

    The Solution
    If you are leveraging this behavior, it's recommended to enable the future flag, move your splat to it's own route, and leverage ../ for any links to "sibling" pages:

    <BrowserRouter>
      <Routes>
        <Route path="dashboard">
          <Route index path="*" element={<Dashboard />} />
        </Route>
      </Routes>
    </BrowserRouter>
    
    function Dashboard() {
      return (
        <div>
          <h2>Dashboard</h2>
          <nav>
            <Link to="..">Dashboard Home</Link>
            <Link to="../team">Team</Link>
            <Link to="../projects">Projects</Link>
          </nav>
    
          <Routes>
            <Route path="/" element={<DashboardHome />} />
            <Route path="team" element={<DashboardTeam />} />
            <Route path="projects" element={<DashboardProjects />} />
          </Router>
        </div>
      );
    }

    This way, . means "the full current pathname for my route" in all cases (including static, dynamic, and splat routes) and .. always means "my parents pathname".

Patch Changes
  • Updated dependencies:
    • @remix-run/router@1.14.0
    • react-router@6.21.0

v6.20.1

Compare Source

Patch Changes

v6.20.0

Compare Source

Minor Changes
  • Export the PathParam type from the public API (#​10719)
Patch Changes
  • Updated dependencies:
    • react-router@6.20.0
    • @remix-run/router@1.13.0

v6.19.0

Compare Source

Minor Changes
  • Add unstable_flushSync option to useNavigate/useSumbit/fetcher.load/fetcher.submit to opt-out of React.startTransition and into ReactDOM.flushSync for state updates (#​11005)
  • Allow unstable_usePrompt to accept a BlockerFunction in addition to a boolean (#​10991)
Patch Changes
  • Fix issue where a changing fetcher key in a useFetcher that remains mounted wasn't getting picked up (#​11009)
  • Fix useFormAction which was incorrectly inheriting the ?index query param from child route action submissions (#​11025)
  • Fix NavLink active logic when to location has a trailing slash (#​10734)
  • Updated dependencies:
    • react-router@6.19.0
    • @remix-run/router@1.12.0

v6.18.0

Compare Source

Minor Changes
  • Add support for manual fetcher key specification via useFetcher({ key: string }) so you can access the same fetcher instance from different components in your application without prop-drilling (RFC) (#​10960)

    • Fetcher keys are now also exposed on the fetchers returned from useFetchers so that they can be looked up by key
  • Add navigate/fetcherKey params/props to useSumbit/Form to support kicking off a fetcher submission under the hood with an optionally user-specified key (#​10960)

    • Invoking a fetcher in this way is ephemeral and stateless
    • If you need to access the state of one of these fetchers, you will need to leverage useFetcher({ key }) to look it up elsewhere
Patch Changes
  • Adds a fetcher context to RouterProvider that holds completed fetcher data, in preparation for the upcoming future flag that will change the fetcher persistence/cleanup behavior (#​10961)
  • Fix the future prop on BrowserRouter, HashRouter and MemoryRouter so that it accepts a Partial<FutureConfig> instead of requiring all flags to be included. (#​10962)
  • Updated dependencies:
    • @remix-run/router@1.11.0
    • react-router@6.18.0

v6.17.0

Compare Source

Minor Changes
  • Add experimental support for the View Transitions API via document.startViewTransition to enable CSS animated transitions on SPA navigations in your application. (#​10916)

    The simplest approach to enabling a View Transition in your React Router app is via the new <Link unstable_viewTransition> prop. This will cause the navigation DOM update to be wrapped in document.startViewTransition which will enable transitions for the DOM update. Without any additional CSS styles, you'll get a basic cross-fade animation for your page.

    If you need to apply more fine-grained styles for your animations, you can leverage the unstable_useViewTransitionState hook which will tell you when a transition is in progress and you can use that to apply classes or styles:

    function ImageLink(to, src, alt) {
      let isTransitioning = unstable_useViewTransitionState(to);
      return (
        <Link to={to} unstable_viewTransition>
          <img
            src={src}
            alt={alt}
            style={{
              viewTransitionName: isTransitioning ? "image-expand" : "",
            }}
          />
        </Link>
      );
    }

    You can also use the <NavLink unstable_viewTransition> shorthand which will manage the hook usage for you and automatically add a transitioning class to the <a> during the transition:

    a.transitioning img {
      view-transition-name: "image-expand";
    }
    <NavLink to={to} unstable_viewTransition>
      <img src={src} alt={alt} />
    </NavLink>

    For an example usage of View Transitions with React Router, check out our fork of the Astro Records demo.

    For more information on using the View Transitions API, please refer to the Smooth and simple transitions with the View Transitions API guide from the Google Chrome team.

    Please note, that because the ViewTransition API is a DOM API, we now export a specific RouterProvider from react-router-dom with this functionality. If you are importing RouterProvider from react-router, then it will not support view transitions. (#​10928

Patch Changes
  • Log a warning and fail gracefully in ScrollRestoration when sessionStorage is unavailable (#​10848)
  • Updated dependencies:
    • @remix-run/router@1.10.0
    • react-router@6.17.0

v6.16.0

Compare Source

Minor Changes
  • Updated dependencies:
    • @remix-run/router@1.9.0
    • react-router@6.16.0
Patch Changes
  • Properly encode rendered URIs in server rendering to avoid hydration errors (#​10769)

v6.15.0

Compare Source

Minor Changes
  • Add's a new redirectDocument() function which allows users to specify that a redirect from a loader/action should trigger a document reload (via window.location) instead of attempting to navigate to the redirected location via React Router (#​10705)
Patch Changes
  • Fixes an edge-case affecting web extensions in Firefox that use URLSearchParams and the useSearchParams hook. (#​10620)
  • Do not include hash in useFormAction() for unspecified actions since it cannot be determined on the server and causes hydration issues (#​10758)
  • Reorder effects in unstable_usePrompt to avoid throwing an exception if the prompt is unblocked and a navigation is performed synchronously (#​10687, #​10718)
  • Updated dependencies:
    • @remix-run/router@1.8.0
    • react-router@6.15.0

v6.14.2

Compare Source

Patch Changes
  • Properly decode element id when emulating hash scrolling via <ScrollRestoration> (#​10682)
  • Add missing <Form state> prop to populate history.state on submission navigations (#​10630)
  • Support proper hydration of Error subclasses such as ReferenceError/TypeError (#​10633)
  • Updated dependencies:
    • @remix-run/router@1.7.2
    • react-router@6.14.2

v6.14.1

Compare Source

Patch Changes
  • Updated dependencies:
    • react-router@6.14.1
    • @remix-run/router@1.7.1

v6.14.0

Compare Source

Minor Changes
  • Add support for application/json and text/plain encodings for useSubmit/fetcher.submit. To reflect these additional types, useNavigation/useFetcher now also contain navigation.json/navigation.text and fetcher.json/fetcher.text which include the json/text submission if applicable (#​10413)

    // The default behavior will still serialize as FormData
    function Component() {
      let navigation = useNavigation();
      let submit = useSubmit();
      submit({ key: "value" }, { method: "post" });
      // navigation.formEncType => "application/x-www-form-urlencoded"
      // navigation.formData    => FormData instance
    }
    
    async function action({ request }) {
      // request.headers.get("Content-Type") => "application/x-www-form-urlencoded"
      // await request.formData()            => FormData instance
    }
    // Opt-into JSON encoding with `encType: "application/json"`
    function Component() {
      let navigation = useNavigation();
      let submit = useSubmit();
      submit({ key: "value" }, { method: "post", encType: "application/json" });
      // navigation.formEncType => "application/json"
      // navigation.json        => { key: "value" }
    }
    
    async function action({ request }) {
      // request.headers.get("Content-Type") => "application/json"
      // await request.json()                => { key: "value" }
    }
    // Opt-into text encoding with `encType: "text/plain"`
    function Component() {
      let navigation = useNavigation();
      let submit = useSubmit();
      submit("Text submission", { method: "post", encType: "text/plain" });
      // navigation.formEncType => "text/plain"
      // navigation.text        => "Text submission"
    }
    
    async function action({ request }) {
      // request.headers.get("Content-Type") => "text/plain"
      // await request.text()                => "Text submission"
    }
Patch Changes
  • When submitting a form from a submitter element, prefer the built-in new FormData(form, submitter) instead of the previous manual approach in modern browsers (those that support the new submitter parameter) (#​9865, #​10627)
    • For browsers that don't support it, we continue to just append the submit button's entry to the end, and we also add rudimentary support for type="image" buttons
    • If developers want full spec-compliant support for legacy browsers, they can use the formdata-submitter-polyfill
  • Call window.history.pushState/replaceState before updating React Router state (instead of after) so that window.location matches useLocation during synchronous React 17 rendering (#​10448)
    • ⚠️ However, generally apps should not be relying on window.location and should always reference useLocation when possible, as window.location will not be in sync 100% of the time (due to popstate events, concurrent mode, etc.)
  • Fix tsc --skipLibCheck:false issues on React 17 (#​10622)
  • Upgrade typescript to 5.1 (#​10581)
  • Updated dependencies:
    • react-router@6.14.0
    • @remix-run/router@1.7.0

v6.13.0

Compare Source

Minor Changes
  • Move React.startTransition usage behind a future flag to avoid issues with existing incompatible Suspense usages. We recommend folks adopting this flag to be better compatible with React concurrent mode, but if you run into issues you can continue without the use of startTransition until v7. Issues usually boils down to creating net-new promises during the render cycle, so if you run into issues you should either lift your promise creation out of the render cycle or put it behind a useMemo. (#​10596)

    Existing behavior will no longer include React.startTransition:

    <BrowserRouter>
      <Routes>{/*...*/}</Routes>
    </BrowserRouter>
    
    <RouterProvider router={router} />

    If you wish to enable React.startTransition, pass the future flag to your component:

    <BrowserRouter future={{ v7_startTransition: true }}>
      <Routes>{/*...*/}</Routes>
    </BrowserRouter>
    
    <RouterProvider router={router} future={{ v7_startTransition: true }}/>
Patch Changes
  • Work around webpack/terser React.startTransition minification bug in production mode (#​10588)
  • Updated dependencies:
    • react-router@6.13.0

v6.12.1

Compare Source

Warning
Please use version 6.13.0 or later instead of 6.12.1. This version suffers from a webpack/terser minification issue resulting in invalid minified code in your resulting production bundles which can cause issues in your application. See #​10579 for more details.

Patch Changes
  • Adjust feature detection of React.startTransition to fix webpack + react 17 compilation error (#​10569)
  • Updated dependencies:
    • react-router@6.12.1

v6.12.0

Compare Source

Minor Changes
  • Wrap internal router state updates with React.startTransition if it exists (#​10438)
Patch Changes
  • Re-throw DOMException (DataCloneError) when attempting to perform a PUSH navigation with non-serializable state. (#​10427)
  • Updated dependencies:
    • @remix-run/router@1.6.3
    • react-router@6.12.0

v6.11.2

Compare Source

Patch Changes
  • Export SetURLSearchParams type (#​10444)
  • Updated dependencies:
    • react-router@6.11.2
    • @remix-run/router@1.6.2

v6.11.1

Compare Source

Patch Changes
  • Updated dependencies:
    • react-router@6.11.1
    • @remix-run/router@1.6.1

v6.11.0

Compare Source

Minor Changes
  • Enable basename support in useFetcher (#​10336)
    • If you were previously working around this issue by manually prepending the basename then you will need to remove the manually prepended basename from your fetcher calls (fetcher.load('/basename/route') -> fetcher.load('/route'))
Patch Changes
  • Fix inadvertent re-renders when using Component instead of element on a route definition (#​10287)
  • Fail gracefully on <Link to="//"> and other invalid URL values (#​10367)
  • Switched from useSyncExternalStore to useState for internal @remix-run/router router state syncing in <RouterProvider>. We found some subtle bugs where router state updates got propagated before other normal useState updates, which could lead to footguns in useEffect calls. (#​10377, #​10409)
  • Add static prop to StaticRouterProvider's internal Router component (#​10401)
  • When using a RouterProvider, useNavigate/useSubmit/fetcher.submit are now stable across location changes, since we can handle relative routing via the @remix-run/router instance and get rid of our dependence on useLocation(). When using BrowserRouter, these hooks remain unstable across location changes because they still rely on useLocation(). (#​10336)
  • Updated dependencies:
    • react-router@6.11.0
    • @remix-run/router@1.6.0

v6.10.0

Compare Source

Minor Changes
  • Added support for Future Flags in React Router. The first flag being introduced is future.v7_normalizeFormMethod which will normalize the exposed useNavigation()/useFetcher() formMethod fields as uppercase HTTP methods to align with the fetch() behavior. (#​10207)

    • When future.v7_normalizeFormMethod === false (default v6 behavior),
      • useNavigation().formMethod is lowercase
      • useFetcher().formMethod is lowercase
    • When future.v7_normalizeFormMethod === true:
      • useNavigation().formMethod is uppercase
      • useFetcher().formMethod is uppercase
Patch Changes
  • Fix createStaticHandler to also check for ErrorBoundary on routes in addition to errorElement (#​10190)
  • Updated dependencies:
    • @remix-run/router@1.5.0
    • react-router@6.10.0

v6.9.0

Compare Source

Minor Changes
  • React Router now supports an alternative way to define your route element and errorElement fields as React Components instead of React Elements. You can instead pass a React Component to the new Component and ErrorBoundary fields if you choose. There is no functional difference between the two, so use whichever approach you prefer 😀. You shouldn't be defining both, but if you do Component/ErrorBoundary will "win". (#​10045)

    Example JSON Syntax

    // Both of these work the same:
    const elementRoutes = [{
      path: '/',
      element: <Home />,
      errorElement: <HomeError />,
    }]
    
    const componentRoutes = [{
      path: '/',
      Component: Home,
      ErrorBoundary: HomeError,
    }]
    
    function Home() { ... }
    function HomeError() { ... }

    Example JSX Syntax

    // Both of these work the same:
    const elementRoutes = createRoutesFromElements(
      <Route path='/' element={<Home />} errorElement={<HomeError /> } />
    );
    
    const componentRoutes = createRoutesFromElements(
      <Route path='/' Component={Home} ErrorBoundary={HomeError} />
    );
    
    function Home() { ... }
    function HomeError() { ... }
  • Introducing Lazy Route Modules! (#​10045)

    In order to keep your application bundles small and support code-splitting of your routes, we've introduced a new lazy() route property. This is an async function that resolves the non-route-matching portions of your route definition (loader, action, element/Component, errorElement/ErrorBoundary, shouldRevalidate, handle).

    Lazy routes are resolved on initial load and during the loading or submitting phase of a navigation or fetcher call. You cannot lazily define route-matching properties (path, index, children) since we only execute your lazy route functions after we've matched known routes.

    Your lazy functions will typically return the result of a dynamic import.

    // In this example, we assume most folks land on the homepage so we include that
    // in our critical-path bundle, but then we lazily load modules for /a and /b so
    // they don't load until the user navigates to those routes
    let routes = createRoutesFromElements(
      <Route path="/" element={<Layout />}>
        <Route index element={<Home />} />
        <Route path="a" lazy={() => import("./a")} />
        <Route path="b" lazy={() => import("./b")} />
      </Route>
    );

    Then in your lazy route modules, export the properties you want defined for the route:

    export async function loader({ request }) {
      let data = await fetchData(request);
      return json(data);
    }
    
    // Export a `Component` directly instead of needing to create a React Element from it
    export function Component() {
      let data = useLoaderData();
    
      return (
        <>
          <h1>You made it!</h1>
          <p>{data}</p>
        </>
      );
    }
    
    // Export an `ErrorBoundary` directly instead of needing to create a React Element from it
    export function ErrorBoundary() {
      let error = useRouteError();
      return isRouteErrorResponse(error) ? (
        <h1>
          {error.status} {error.statusText}
        </h1>
      ) : (
        <h1>{error.message || error}</h1>
      );
    }

    An example of this in action can be found in the examples/lazy-loading-router-provider directory of the repository.

    🙌 Huge thanks to @​rossipedia for the Initial Proposal and POC Implementation.

  • Updated dependencies:

    • react-router@6.9.0
    • @remix-run/router@1.4.0

v6.8.2

Compare Source

Patch Changes
  • Treat same-origin absolute URLs in <Link to> as external if they are outside of the router basename (#​10135)
  • Fix useBlocker to return IDLE_BLOCKER during SSR (#​10046)
  • Fix SSR of absolute <Link to> urls (#​10112)
  • Properly escape HTML characters in StaticRouterProvider serialized hydration data (#​10068)
  • Updated dependencies:
    • @remix-run/router@1.3.3
    • react-router@6.8.2

v6.8.1

Compare Source

Patch Changes
  • Improved absolute url detection in Link component (now also supports mailto: urls) (#​9994)
  • Fix partial object (search or hash only) pathnames losing current path value (#​10029)
  • Updated dependencies:
    • react-router@6.8.1
    • @remix-run/router@1.3.2

v6.8.0

Compare Source

Minor Changes
  • Support absolute URLs in <Link to>. If the URL is for the current origin, it will still do a client-side navigation. If the URL is for a different origin then it will do a fresh document request for the new origin. (#​9900)

    <Link to="https://neworigin.com/some/path">    {/* Document request */}
    <Link to="//neworigin.com/some/path">          {/* Document request */}
    <Link to="https://www.currentorigin.com/path"> {/* Client-side navigation */}
Patch Changes
  • Fix bug with search params removal via useSearchParams (#​9969)
  • Respect preventScrollReset on <fetcher.Form> (#​9963)
  • Fix navigation for hash routers on manual URL changes (#​9980)
  • Use pagehide instead of beforeunload for <ScrollRestoration>. This has better cross-browser support, specifically on Mobile Safari. (#​9945)
  • Updated dependencies:
    • @remix-run/router@1.3.1
    • react-router@6.8.0

v6.7.0

Compare Source

Minor Changes
  • Add unstable_useBlocker hook for blocking navigations within the app's location origin (#​9709)
  • Add unstable_usePrompt hook for blocking navigations within the app's location origin (#​9932)
  • Add preventScrollReset prop to <Form> (#​9886)
Patch Changes
  • Added pass-through event listener options argument to useBeforeUnload (#​9709)
  • Streamline jsdom bug workaround in tests (#​9824)
  • Updated dependencies:
    • @remix-run/router@1.3.0
    • react-router@6.7.0

v6.6.2

Compare Source

Patch Changes
  • Ensure useId consistency during SSR (#​9805)
  • Updated dependencies:
    • react-router@6.6.2

v6.6.1

Compare Source

Patch Changes
  • Updated dependencies:
    • @remix-run/router@1.2.1
    • react-router@6.6.1

v6.6.0

Compare Source

Minor Changes
  • Add useBeforeUnload() hook (#​9664)
  • Remove unstable_ prefix from createStaticHandler/createStaticRouter/StaticRouterProvider (#​9738)
Patch Changes
  • Proper hydration of Error objects from StaticRouterProvider (#​9664)
  • Support uppercase <Form method> and useSubmit method values (#​9664)
  • Skip initial scroll restoration for SSR apps with hydrationData (#​9664)
  • Fix <button formmethod> form submission overriddes (#​9664)
  • Updated dependencies:
    • @remix-run/router@1.2.0
    • react-router@6.6.0

v6.5.0

Compare Source

Patch Changes
  • Updated dependencies:
    • react-router@6.5.0
    • @remix-run/router@1.1.0

v6.4.5

Compare Source

Patch Changes
  • Updated dependencies:
    • @remix-run/router@1.0.5
    • react-router@6.4.5

v6.4.4

Compare Source

Patch Changes
  • Fix issues with encoded characters in NavLink and descendant <Routes> (#​9589, #​9647)
  • Properly serialize/deserialize ErrorResponse instances when using built-in hydration (#​9593)
  • Support basename in static data routers (#​9591)
  • Updated dependencies:
    • @remix-run/router@1.0.4
    • react-router@6.4.4

v6.4.3

Compare Source

Patch Changes
  • Fix hrefs generated for createHashRouter (#​9409)
  • fix encoding/matching issues with special chars (#​9477, #​9496)
  • Properly support index routes with a path in useResolvedPath (#​9486)
  • Respect relative=path prop on NavLink (#​9453)
  • Fix NavLink behavior for root urls (#​9497)
  • Updated dependencies:
    • @remix-run/router@1.0.3
    • react-router@6.4.3

v6.4.2

Compare Source

Patch Changes
  • Respect basename in useFormAction (#​9352)
  • Enhance console error messages for invalid usage of data router hooks (#​9311)
  • If an index route has children, it will result in a runtime error. We have strengthened our RouteObject/RouteProps types to surface the error in TypeScript. (#​9366)
  • Updated dependencies:
    • react-router@6.4.2
    • @remix-run/router@1.0.2

v6.4.1

Compare Source

Patch Changes
  • Updated dependencies:
    • react-router@6.4.1
    • @remix-run/router@1.0.1

v6.4.0

Compare Source

Whoa this is a big one! 6.4.0 brings all the data loading and mutation APIs over from Remix. Here's a quick high level overview, but it's recommended you go check out the docs, especially the feature overview and the tutorial.

New APIs

  • Create your router with createMemoryRouter/createBrowserRouter/createHashRouter
  • Render your router with <RouterProvider>
  • Load data with a Route loader and mutate with a Route action
  • Handle errors with Route errorElement
  • Submit data with the new <Form> component
  • Perform in-page data loads and mutations with useFetcher()
  • Defer non-critical data with defer and Await
  • Manage scroll position with <ScrollRestoration>

New Features

  • Perform path-relative navigations with <Link relative="path"> (#​9160)

Bug Fixes

  • Path resolution is now trailing slash agnostic (#​8861)
  • useLocation returns the scoped location inside a <Routes location> component (#​9094)
  • respect the <Link replace> prop if it is defined (#​8779)

Updated Dependencies

  • react-router@6.4.0

v6.3.0: react-router@v6.3.0

Compare Source

What's Changed

New Contributors

Full Changelog: remix-run/react-router@v6.2.2...v6.3.0

v6.2.2

Compare Source

What's Changed

🐛 Bug Fixes
  • Fixed nested splat routes that begin with special URL-safe characters (#​8563)
  • Fixed a bug where index routes were missing route context in some cases (#​8497)

New Contributors

Full Changelog: remix-run/react-router@v6.2.1...v6.2.2

v6.2.1

Compare Source

This release updates the internal history dependency to 5.2.0.

Full Changelog: remix-run/react-router@v6.2.0...v6.2.1

v6.2.0

Compare Source

🐛 Bug fixes

  • Fixed the RouteProps element type, which should be a ReactNode (#​8473)
  • Fixed a bug with useOutlet for top-level routes (#​8483)

✨ Features

  • We now use statically analyzable CJS exports. This enables named imports in Node ESM scripts (See the commit).

New Contributors

Full Changelog: remix-run/react-router@v6.1.1...v6.2.0

v6.1.1

Compare Source

In v6.1.0 we inadvertently shipped a new, undocumented API that will likely introduce bugs (#​7586). We have flagged HistoryRouter as unstable_HistoryRouter, as this API will likely need to change before a new major release.

Full Changelog: remix-run/react-router@v6.1.0...v6.1.1

v6.1.0

Compare Source

🐛 Bug fixes

  • Fixed a bug that broke support for base64 encoded IDs on nested routes (#​8291)

✨ Features

  • <Outlet> can now receive a context prop. This value is passed to child routes and is accessible via the new useOutletContext hook. See the API docs for details. (#​8461)
  • <NavLink> can now receive a child function for access to its props. (#​8164)

💅 Enhancements

  • Improved TypeScript signature for useMatch and matchPath. For example, when you call useMatch("foo/:bar/:baz"), the path is parsed and the return type will be PathMatch<"bar" | "baz">. (#​8030)
  • A few error message improvements (#​8202)

New Contributors


Configuration

📅 Schedule: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined).

🚦 Automerge: Disabled by config. Please merge this manually once you are satisfied.

Rebasing: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox.

🔕 Ignore: Close this PR and you won't be reminded about this update again.


  • If you want to rebase/retry this PR, check this box

This PR has been generated by Mend Renovate. View repository job log here.

@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch 2 times, most recently from f4d43fe to 31a33f3 Compare December 11, 2021 18:35
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch 2 times, most recently from d04e823 to 70a7d48 Compare December 17, 2021 21:08
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from 70a7d48 to 5f563cf Compare January 19, 2022 21:01
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from 5f563cf to e2d633a Compare January 27, 2022 10:27
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from e2d633a to 66a6e96 Compare March 1, 2022 02:53
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from 66a6e96 to c29e07f Compare April 24, 2022 21:18
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from c29e07f to f4cab78 Compare September 25, 2022 15:51
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from f4cab78 to 397e23d Compare October 8, 2022 20:25
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from 397e23d to 688f1b1 Compare November 1, 2022 17:32
@socket-security
Copy link

socket-security bot commented Nov 1, 2022

🚨 Potential security issues detected. Learn more about Socket for GitHub ↗︎

To accept the risk, merge this PR and you will not be notified again.

Alert Package NoteSource
Install scripts npm/core-js-pure@3.20.3
  • Install script: postinstall
  • Source: node -e "try{require('./postinstall')}catch(e){}"

View full report↗︎

Next steps

What is an install script?

Install scripts are run when the package is installed. The majority of malware in npm is hidden in install scripts.

Packages should not be running non-essential scripts during install and there are often solutions to problems people solve with install scripts that can be run at publish time instead.

Take a deeper look at the dependency

Take a moment to review the security alert above. Review the linked package source code to understand the potential risk. Ensure the package is not malicious before proceeding. If you're unsure how to proceed, reach out to your security team or ask the Socket team for help at support [AT] socket [DOT] dev.

Remove the package

If you happen to install a dependency that Socket reports as Known Malware you should immediately remove it and select a different dependency. For other alert types, you may may wish to investigate alternative packages or consider if there are other ways to mitigate the specific risk posed by the dependency.

Mark a package as acceptable risk

To ignore an alert, reply with a comment starting with @SocketSecurity ignore followed by a space separated list of ecosystem/package-name@version specifiers. e.g. @SocketSecurity ignore npm/foo@1.0.0 or ignore all packages with @SocketSecurity ignore-all

  • @SocketSecurity ignore npm/core-js-pure@3.20.3

@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch 2 times, most recently from 556ca15 to fa4f8fd Compare December 7, 2022 19:32
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from fa4f8fd to 5ac1b1a Compare March 16, 2023 20:07
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from 5ac1b1a to bc3b72d Compare March 29, 2023 23:51
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from bc3b72d to 14c388c Compare May 29, 2023 17:56
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch 2 times, most recently from 6c5c0e0 to 5f472bb Compare June 8, 2023 21:06
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from 5d5d829 to 0043414 Compare June 23, 2023 21:57
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from 0043414 to 6b457b9 Compare June 30, 2023 22:16
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from 6b457b9 to aca6710 Compare July 17, 2023 21:17
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from aca6710 to a9b8f7f Compare August 10, 2023 15:39
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from a9b8f7f to ded093e Compare September 13, 2023 20:39
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from ded093e to dae9aa7 Compare October 16, 2023 16:44
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from dae9aa7 to edb549e Compare October 31, 2023 15:44
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch 2 times, most recently from 295ebbe to 63acd60 Compare November 22, 2023 19:44
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from 63acd60 to e0fcb36 Compare December 1, 2023 20:03
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from e0fcb36 to 9b79b4a Compare December 13, 2023 23:22
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from 9b79b4a to 64fbcb9 Compare December 21, 2023 17:12
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from 64fbcb9 to ec82929 Compare January 11, 2024 16:40
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from ec82929 to 31e1771 Compare January 18, 2024 20:10
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from 31e1771 to 2eff240 Compare February 1, 2024 23:14
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from 2eff240 to e70b45f Compare February 16, 2024 22:27
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from e70b45f to c713df3 Compare February 28, 2024 21:35
@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from c713df3 to 2ce232d Compare March 7, 2024 16:44
Copy link

socket-security bot commented Mar 9, 2024

New and removed dependencies detected. Learn more about Socket for GitHub ↗︎

Package New capabilities Transitives Size Publisher
npm/@ampproject/remapping@2.2.0 None 0 55.3 kB jridgewell
npm/@apideck/better-ajv-errors@0.3.6 environment 0 77.5 kB eliasmeire
npm/@babel/code-frame@7.8.3 None 0 7.68 kB nicolo-ribaudo
npm/@babel/compat-data@7.16.0 None 0 49.5 kB nicolo-ribaudo
npm/@babel/core@7.9.0 filesystem 0 155 kB nicolo-ribaudo
npm/@babel/eslint-parser@7.19.1 unsafe 0 130 kB nicolo-ribaudo
npm/@babel/generator@7.8.8 None 0 117 kB nicolo-ribaudo
npm/@babel/helper-annotate-as-pure@7.16.0 None 0 2.68 kB nicolo-ribaudo
npm/@babel/helper-builder-binary-assignment-operator-visitor@7.16.0 None 0 3.39 kB nicolo-ribaudo
npm/@babel/helper-compilation-targets@7.16.3 None 0 16.8 kB nicolo-ribaudo
npm/@babel/helper-create-class-features-plugin@7.16.0 None 0 52 kB nicolo-ribaudo
npm/@babel/helper-create-regexp-features-plugin@7.16.0 None 0 7.54 kB nicolo-ribaudo
npm/@babel/helper-define-polyfill-provider@0.2.4 None 0 202 kB nicolo-ribaudo
npm/@babel/helper-environment-visitor@7.18.9 None 0 3.39 kB nicolo-ribaudo
npm/@babel/helper-explode-assignable-expression@7.16.0 None 0 4.32 kB nicolo-ribaudo
npm/@babel/helper-function-name@7.8.3 None 0 7.14 kB nicolo-ribaudo
npm/@babel/helper-get-function-arity@7.8.3 None 0 3.28 kB nicolo-ribaudo
npm/@babel/helper-hoist-variables@7.16.0 None 0 3.45 kB nicolo-ribaudo
npm/@babel/helper-member-expression-to-functions@7.16.0 None 0 49.6 kB nicolo-ribaudo
npm/@babel/helper-module-imports@7.8.3 None 0 17.9 kB nicolo-ribaudo
npm/@babel/helper-module-transforms@7.16.0 None 0 39.8 kB nicolo-ribaudo
npm/@babel/helper-optimise-call-expression@7.16.0 None 0 3.29 kB nicolo-ribaudo
npm/@babel/helper-plugin-utils@7.14.5 None 0 4.42 kB nicolo-ribaudo
npm/@babel/helper-remap-async-to-generator@7.16.0 None 0 4.25 kB nicolo-ribaudo
npm/@babel/helper-replace-supers@7.16.0 None 0 9.86 kB nicolo-ribaudo
npm/@babel/helper-simple-access@7.16.0 None 0 5.01 kB nicolo-ribaudo
npm/@babel/helper-skip-transparent-expression-wrappers@7.16.0 None 0 3.24 kB nicolo-ribaudo
npm/@babel/helper-split-export-declaration@7.8.3 None 0 5.01 kB nicolo-ribaudo
npm/@babel/helper-string-parser@7.18.10 None 0 9.63 kB nicolo-ribaudo
npm/@babel/helper-validator-identifier@7.15.7 None 0 19 kB nicolo-ribaudo
npm/@babel/helper-validator-option@7.14.5 None 0 4.53 kB nicolo-ribaudo
npm/@babel/helper-wrap-function@7.16.0 None 0 5.3 kB nicolo-ribaudo
npm/@babel/helpers@7.16.3 None 0 88.8 kB nicolo-ribaudo
npm/@babel/highlight@7.8.3 None 0 5.39 kB nicolo-ribaudo
npm/@babel/parser@7.8.8 None 0 1.82 MB nicolo-ribaudo
npm/@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression@7.16.2 None 0 7.66 kB nicolo-ribaudo
npm/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining@7.16.0 None 0 9.87 kB nicolo-ribaudo
npm/@babel/plugin-proposal-async-generator-functions@7.16.0 None 0 7.45 kB nicolo-ribaudo
npm/@babel/plugin-proposal-class-properties@7.16.0 None 0 3.32 kB nicolo-ribaudo
npm/@babel/plugin-proposal-class-static-block@7.16.0 None 0 4.3 kB nicolo-ribaudo
npm/@babel/plugin-proposal-dynamic-import@7.16.0 None 0 3.65 kB nicolo-ribaudo
npm/@babel/plugin-proposal-export-namespace-from@7.16.0 None 0 4.22 kB nicolo-ribaudo
npm/@babel/plugin-proposal-json-strings@7.16.0 None 0 3.42 kB nicolo-ribaudo
npm/@babel/plugin-proposal-logical-assignment-operators@7.16.0 None 0 4.52 kB nicolo-ribaudo
npm/@babel/plugin-proposal-nullish-coalescing-operator@7.16.0 None 0 4.38 kB nicolo-ribaudo
npm/@babel/plugin-proposal-numeric-separator@7.16.0 None 0 3.28 kB nicolo-ribaudo
npm/@babel/plugin-proposal-object-rest-spread@7.16.0 None 0 21.2 kB nicolo-ribaudo
npm/@babel/plugin-proposal-optional-catch-binding@7.16.0 None 0 3.21 kB nicolo-ribaudo
npm/@babel/plugin-proposal-optional-chaining@7.16.0 None 0 30.5 kB nicolo-ribaudo
npm/@babel/plugin-proposal-private-methods@7.16.0 None 0 3.15 kB nicolo-ribaudo
npm/@babel/plugin-proposal-private-property-in-object@7.16.0 None 0 7.17 kB nicolo-ribaudo
npm/@babel/plugin-proposal-unicode-property-regex@7.16.0 None 0 3.46 kB nicolo-ribaudo
npm/@babel/plugin-syntax-import-assertions@7.18.6 None 0 3.02 kB nicolo-ribaudo
npm/@babel/plugin-syntax-jsx@7.16.0 None 0 2.69 kB nicolo-ribaudo
npm/@babel/plugin-syntax-typescript@7.16.0 None 0 3.89 kB nicolo-ribaudo
npm/@babel/plugin-transform-arrow-functions@7.16.0 None 0 3.16 kB nicolo-ribaudo
npm/@babel/plugin-transform-async-to-generator@7.16.0 None 0 4.02 kB nicolo-ribaudo
npm/@babel/plugin-transform-block-scoped-functions@7.16.0 None 0 3.71 kB nicolo-ribaudo
npm/@babel/plugin-transform-block-scoping@7.16.0 None 0 27.2 kB nicolo-ribaudo
npm/@babel/plugin-transform-classes@7.16.0 None 0 26.1 kB nicolo-ribaudo
npm/@babel/plugin-transform-computed-properties@7.16.0 None 0 7.69 kB nicolo-ribaudo
npm/@babel/plugin-transform-destructuring@7.16.0 None 0 20.8 kB nicolo-ribaudo
npm/@babel/plugin-transform-dotall-regex@7.16.0 None 0 3.11 kB nicolo-ribaudo
npm/@babel/plugin-transform-duplicate-keys@7.16.0 None 0 4.24 kB nicolo-ribaudo
npm/@babel/plugin-transform-exponentiation-operator@7.16.0 None 0 3.31 kB nicolo-ribaudo
npm/@babel/plugin-transform-for-of@7.16.0 None 0 14.7 kB nicolo-ribaudo
npm/@babel/plugin-transform-function-name@7.16.0 None 0 3.39 kB nicolo-ribaudo
npm/@babel/plugin-transform-literals@7.16.0 None 0 3.02 kB nicolo-ribaudo
npm/@babel/plugin-transform-member-expression-literals@7.16.0 None 0 3.26 kB nicolo-ribaudo
npm/@babel/plugin-transform-modules-amd@7.16.0 None 0 7.87 kB nicolo-ribaudo
npm/@babel/plugin-transform-modules-commonjs@7.16.0 None 0 9.82 kB nicolo-ribaudo
npm/@babel/plugin-transform-modules-systemjs@7.16.0 None 0 20.7 kB nicolo-ribaudo
npm/@babel/plugin-transform-modules-umd@7.16.0 None 0 9.37 kB nicolo-ribaudo
npm/@babel/plugin-transform-named-capturing-groups-regex@7.16.0 None 0 3.25 kB nicolo-ribaudo
npm/@babel/plugin-transform-new-target@7.16.0 None 0 4.42 kB nicolo-ribaudo
npm/@babel/plugin-transform-object-super@7.16.0 None 0 3.65 kB nicolo-ribaudo
npm/@babel/plugin-transform-parameters@7.16.3 None 0 17.9 kB nicolo-ribaudo
npm/@babel/plugin-transform-property-literals@7.16.0 None 0 3.13 kB nicolo-ribaudo
npm/@babel/plugin-transform-react-constant-elements@7.16.0 None 0 7.29 kB nicolo-ribaudo
npm/@babel/plugin-transform-react-display-name@7.16.0 None 0 5.13 kB nicolo-ribaudo
npm/@babel/plugin-transform-react-jsx-development@7.16.0 None 0 2.19 kB nicolo-ribaudo
npm/@babel/plugin-transform-react-jsx@7.16.0 None 0 24.3 kB nicolo-ribaudo
npm/@babel/plugin-transform-react-pure-annotations@7.16.0 None 0 3.53 kB nicolo-ribaudo
npm/@babel/plugin-transform-regenerator@7.16.0 None 0 2.58 kB nicolo-ribaudo
npm/@babel/plugin-transform-reserved-words@7.16.0 None 0 2.94 kB nicolo-ribaudo
npm/@babel/plugin-transform-shorthand-properties@7.16.0 None 0 3.94 kB nicolo-ribaudo
npm/@babel/plugin-transform-spread@7.16.0 None 0 7.61 kB nicolo-ribaudo
npm/@babel/plugin-transform-sticky-regex@7.16.0 None 0 3.08 kB nicolo-ribaudo
npm/@babel/plugin-transform-template-literals@7.16.0 None 0 6.14 kB nicolo-ribaudo
npm/@babel/plugin-transform-typeof-symbol@7.16.0 None 0 4.89 kB nicolo-ribaudo
npm/@babel/plugin-transform-unicode-escapes@7.16.0 None 0 5.99 kB nicolo-ribaudo
npm/@babel/plugin-transform-unicode-regex@7.16.0 None 0 2.94 kB nicolo-ribaudo
npm/@babel/preset-env@7.16.0 environment 0 49.4 kB nicolo-ribaudo
npm/@babel/preset-modules@0.1.5 None 0 38.8 kB developit
npm/@babel/preset-react@7.16.0 None 0 12 kB nicolo-ribaudo
npm/@babel/runtime-corejs3@7.19.1 None 0 288 kB nicolo-ribaudo
npm/@babel/runtime@7.8.7 None 0 90.8 kB nicolo-ribaudo
npm/@babel/template@7.8.6 None 0 24 kB nicolo-ribaudo
npm/@babel/traverse@7.8.6 environment 0 154 kB nicolo-ribaudo
npm/@babel/types@7.8.7 environment 0 702 kB nicolo-ribaudo
npm/@compone/class@1.1.1 None 0 658 B pemrouz
npm/@compone/define@1.2.4 None 0 2.9 kB pemrouz
npm/@compone/event@1.1.2 None 0 1.23 kB pemrouz
npm/@csstools/normalize.css@10.1.0 None 0 33 kB jonathantneal
npm/@csstools/postcss-cascade-layers@1.1.1 None 0 37.9 kB alaguna
npm/@csstools/postcss-color-function@1.1.1 None 0 44.6 kB alaguna
npm/@csstools/postcss-font-format-keywords@1.0.1 None 0 13.7 kB alaguna
npm/@csstools/postcss-hwb-function@1.0.2 None 0 24.3 kB alaguna
npm/@csstools/postcss-ic-unit@1.0.1 None 0 14 kB alaguna
npm/@csstools/postcss-is-pseudo-class@2.0.7 None 0 29.5 kB alaguna
npm/@csstools/postcss-nested-calc@1.0.0 None 0 13.5 kB alaguna
npm/@csstools/postcss-normalize-display-values@1.0.1 None 0 14.9 kB alaguna
npm/@csstools/postcss-oklab-function@1.1.1 None 0 44.8 kB alaguna
npm/@csstools/postcss-progressive-custom-properties@1.3.0 None 0 43.9 kB alaguna
npm/@csstools/postcss-stepped-value-functions@1.0.1 None 0 21.8 kB alaguna
npm/@csstools/postcss-text-decoration-shorthand@1.0.0 None 0 20.9 kB alaguna
npm/@csstools/postcss-trigonometric-functions@1.0.2 unsafe 0 30.6 kB alaguna
npm/@csstools/postcss-unset-value@1.0.2 None 0 26.6 kB alaguna
npm/@csstools/selector-specificity@2.0.2 None 0 14.9 kB alaguna
npm/@emotion/is-prop-valid@0.8.8 environment 0 39 kB emotion-release-bot
npm/@emotion/stylis@0.8.5 environment 0 105 kB emotion-release-bot
npm/@emotion/unitless@0.7.5 environment 0 8.26 kB emotion-release-bot
npm/@eslint/eslintrc@1.3.3 filesystem, unsafe 0 652 kB eslintbot
npm/@humanwhocodes/config-array@0.10.7 None 0 52.1 kB nzakas
npm/@humanwhocodes/object-schema@1.2.1 None 0 49.4 kB nzakas
npm/@istanbuljs/load-nyc-config@1.1.0 environment, filesystem 0 10.9 kB coreyfarrell
npm/@jest/globals@27.5.1 None 0 3.56 kB simenb
npm/@jest/schemas@28.1.3 None 0 5.82 kB simenb
npm/@jridgewell/gen-mapping@0.1.1 None 0 52.4 kB jridgewell
npm/@jridgewell/resolve-uri@3.1.0 None 0 55.2 kB jridgewell
npm/@jridgewell/set-array@1.1.2 None 0 15.5 kB jridgewell
npm/@jridgewell/source-map@0.3.2 None 0 231 kB jridgewell
npm/@jridgewell/sourcemap-codec@1.4.14 None 0 40 kB jridgewell
npm/@jridgewell/trace-mapping@0.3.16 None 0 161 kB jridgewell
npm/@leichtgewicht/ip-codec@2.0.4 None 0 17.7 kB leichtgewicht
npm/@nicolo-ribaudo/eslint-scope-5-internals@5.1.1-v1 None 0 1.66 kB nicolo-ribaudo
npm/@pmmmwh/react-refresh-webpack-plugin@0.5.4 environment, filesystem 0 136 kB pmmmwh
npm/@popperjs/core@2.11.6 environment 0 1.63 MB fezvrasta
npm/@react-aria/ssr@3.3.0 None 0 39.7 kB devongovett
npm/@restart/hooks@0.4.7 None 0 190 kB kytsang
npm/@restart/ui@1.4.0 None 0 337 kB kytsang
npm/@rollup/plugin-node-resolve@11.2.1 filesystem 0 87.3 kB shellscape
npm/@rollup/plugin-replace@2.4.2 None 0 21.5 kB shellscape
npm/@rollup/pluginutils@3.1.0 None 0 47.7 kB shellscape
npm/@rushstack/eslint-patch@1.2.0 None 0 33 kB odspnpm
npm/@sinclair/typebox@0.24.44 None 0 303 kB sinclair
npm/@sinonjs/commons@1.8.3 None 0 38 kB mrgnrdrck
npm/@sinonjs/fake-timers@8.1.0 eval 0 89.1 kB fatso83
npm/@surma/rollup-plugin-off-main-thread@2.2.3 filesystem 0 91.5 kB surma
npm/@testing-library/dom@8.19.0 environment 0 2.29 MB testing-library-bot
npm/@trysound/sax@0.2.0 None 0 48.8 kB trysound
npm/@types/aria-query@4.2.2 None 0 12 kB types
npm/@types/babel__core@7.1.16 None 0 31.1 kB types
npm/@types/babel__generator@7.6.3 None 0 12 kB types
npm/@types/babel__template@7.4.1 None 0 6.93 kB types
npm/@types/babel__traverse@7.14.2 None 0 123 kB types
npm/@types/body-parser@1.19.2 None 0 8.3 kB types
npm/@types/bonjour@3.5.10 None 0 5.81 kB types
npm/@types/caseless@0.12.2 None 0 4 kB types
npm/@types/connect-history-api-fallback@1.3.5 None 0 5.41 kB types
npm/@types/connect@3.4.35 None 0 6.14 kB types
npm/@types/eslint-scope@3.7.4 None 0 6.62 kB types
npm/@types/eslint@7.29.0 None 0 165 kB types
npm/@types/estree@0.0.50 None 0 23.9 kB types
npm/@types/express-serve-static-core@4.17.31 None 0 44.6 kB types
npm/@types/express@4.17.14 None 0 8.24 kB types
npm/@types/graceful-fs@4.1.5 None 0 3.51 kB types
npm/@types/http-proxy@1.17.9 None 0 13.5 kB types
npm/@types/istanbul-lib-coverage@2.0.1 None 0 5.75 kB types
npm/@types/istanbul-lib-report@3.0.0 None 0 8.23 kB types
npm/@types/jest@27.0.3 None 0 71.3 kB types
npm/@types/json-schema@7.0.9 None 0 32.2 kB types
npm/@types/mime@3.0.1 None 0 3.57 kB types
npm/@types/minimist@1.2.2 None 0 6.72 kB types
npm/@types/node@13.9.1 None 0 680 kB types
npm/@types/normalize-package-data@2.4.1 None 0 6.29 kB types
npm/@types/parse-json@4.0.0 None 0 2.74 kB types
npm/@types/prettier@2.7.1 None 0 49.1 kB types
npm/@types/prop-types@15.7.5 None 0 6.54 kB types
npm/@types/q@1.5.5 None 0 32.2 kB types
npm/@types/qs@6.9.7 None 0 7 kB types
npm/@types/range-parser@1.2.4 None 0 5.05 kB types
npm/@types/react-dom@17.0.17 None 0 20.8 kB types
npm/@types/react-transition-group@4.4.5 None 0 18.9 kB types
npm/@types/react@17.0.50 None 0 167 kB types
npm/@types/request@2.48.4 None 0 19.3 kB types
npm/@types/resolve@1.17.1 None 0 7.69 kB types
npm/@types/scheduler@0.16.2 None 0 8.34 kB types
npm/@types/serve-index@1.9.1 None 0 5.19 kB types
npm/@types/serve-static@1.15.0 None 0 7.75 kB types
npm/@types/sockjs@0.3.33 None 0 5.84 kB types
npm/@types/testing-library__jest-dom@5.14.2 None 0 32.6 kB types
npm/@types/tough-cookie@2.3.6 None 0 10.7 kB types
npm/@types/trusted-types@2.0.2 None 0 8.3 kB types
npm/@types/warning@3.0.0 None 0 2.09 kB types
npm/@types/ws@8.5.3 None 0 20.8 kB types
npm/@types/yargs-parser@15.0.0 None 0 8 kB types
npm/@typescript-eslint/eslint-plugin@5.39.0 None 0 2.2 MB jameshenry
npm/@typescript-eslint/experimental-utils@5.39.0 None 0 5.15 kB jameshenry
npm/@typescript-eslint/parser@5.39.0 None 0 30.6 kB jameshenry
npm/@typescript-eslint/scope-manager@5.39.0 None 0 577 kB jameshenry
npm/@typescript-eslint/type-utils@5.39.0 None 0 86.3 kB jameshenry
npm/@typescript-eslint/types@5.39.0 None 0 214 kB jameshenry
npm/@typescript-eslint/typescript-estree@5.39.0 environment, filesystem 0 522 kB jameshenry
npm/@typescript-eslint/utils@5.39.0 None 0 477 kB jameshenry
npm/@typescript-eslint/visitor-keys@5.39.0 None 0 17.6 kB jameshenry
npm/@webassemblyjs/helper-numbers@1.11.1 None 0 10.4 kB xtuc
npm/abab@2.0.5 None 0 11.1 kB jeffcarp
npm/accepts@1.3.7 None 0 16.6 kB dougwilson
npm/acorn-import-assertions@1.8.0 None 0 25.5 kB xtuc
npm/acorn-jsx@5.3.2 None 0 24.4 kB rreverser
npm/acorn-node@1.8.2 None 0 45.3 kB goto-bus-stop
npm/acorn-object-spread@1.0.0 None 0 3.24 kB dariocravero
npm/acorn@7.1.1 None 0 1.11 MB marijn
npm/acorn5-object-spread@4.0.0 None 0 8.56 kB adrianheine
npm/address@1.1.2 environment, filesystem, shell 0 13.4 kB fengmk2
npm/agentkeepalive@4.2.1 network 0 38.8 kB fengmk2
npm/ajv-keywords@3.5.2 None 0 72.9 kB esp
npm/ajv@6.12.3 eval 0 924 kB esp
npm/alphanum-sort@1.0.2 None 0 6.4 kB trysound
npm/animate.css@3.7.2 None 0 183 kB eltonmesquita
npm/ansi-escapes@4.3.2 None 0 16.4 kB sindresorhus
npm/archiver-utils@2.1.0 None 0 13.9 kB ctalkington
npm/archiver@3.1.1 filesystem 0 49 kB ctalkington
npm/arg@5.0.1 None 0 13.7 kB leerobinson
npm/aria-query@4.2.2 None 0 172 kB jessebeach
npm/arr-flatten@1.1.0 None 0 6.88 kB jonschlinkert
npm/arr-union@3.1.0 None 0 6.66 kB jonschlinkert
npm/array-flatten@2.1.2 None 0 6.24 kB blakeembrey
npm/array-includes@3.1.5 None 0 22.9 kB ljharb
npm/array.prototype.flat@1.3.0 None 0 16.4 kB ljharb
npm/array.prototype.flatmap@1.3.0 None 0 16.6 kB ljharb
npm/asn1.js@4.10.1 unsafe 0 46.6 kB indutny
npm/asn1@0.2.4 None 0 18 kB melloc
npm/assert@1.4.1 None 0 34.4 kB cwmma
npm/assertion-error@1.1.0 None 0 5.64 kB chaijs
npm/assign-symbols@1.0.0 None 0 5.85 kB phated
npm/ast-types-flow@0.0.7 None 0 125 kB kyldvs
npm/async-each@1.0.3 None 0 3.95 kB paulmillr
npm/atob@2.1.2 None 0 36.2 kB coolaj86
npm/aws4@1.9.1 environment 0 32.6 kB hichaelmart
npm/axe-core@4.4.3 None 0 1.89 MB npmdeque
npm/axobject-query@2.2.0 None 0 98.8 kB jessebeach
npm/babel-plugin-dynamic-import-node@2.3.3 None 0 12.4 kB ljharb
npm/babel-plugin-polyfill-corejs2@0.2.3 None 0 81.2 kB nicolo-ribaudo
npm/babel-plugin-polyfill-corejs3@0.3.0 None 0 152 kB nicolo-ribaudo
npm/babel-plugin-polyfill-regenerator@0.2.3 None 0 6.81 kB nicolo-ribaudo
npm/babel-plugin-styled-components@1.13.3 filesystem 0 40 kB probablyup
npm/babel-plugin-syntax-jsx@6.18.0 None 0 969 B hzoo
npm/babel-plugin-transform-react-remove-prop-types@0.4.24 None 0 48.7 kB lencioni
npm/babel-preset-current-node-syntax@1.0.1 eval 0 5.46 kB nicolo-ribaudo
npm/balanced-match@1.0.0 None 0 6.7 kB juliangruber
npm/base@0.11.2 None 0 32.7 kB jonschlinkert
npm/base64-js@1.3.1 None 0 9.18 kB feross
npm/bfj@7.0.2 filesystem 0 380 kB philbooth
npm/big.js@5.2.2 None 0 63.9 kB mikemcl
npm/binary-extensions@2.0.0 None 0 5.07 kB sindresorhus
npm/binary@0.3.0 None 0 44.3 kB substack
npm/bl@4.0.3 None 0 63.7 kB matteo.collina
npm/bn.js@4.11.8 None 0 99.4 kB indutny
npm/body-parser@1.19.0 network 0 56.4 kB dougwilson
npm/bonjour-service@1.0.14 network 0 59.7 kB mdidon
npm/brorand@1.1.0 None 0 3.52 kB indutny
npm/browser-pack@6.1.0 filesystem 0 30 kB goto-bus-stop
npm/browser-resolve@1.11.3 filesystem 0 15 kB defunctzombie
npm/browser-stdout@1.3.1 None 0 2.3 kB kumavis
npm/browserify-aes@1.2.0 None 0 29.8 kB cwmma
npm/browserify-cipher@1.0.1 None 0 6.45 kB cwmma
npm/browserify-des@1.0.2 None 0 6.27 kB cwmma
npm/browserify-rsa@4.0.1 None 0 11.6 kB dcousens
npm/browserify-sign@4.0.4 None 0 14.3 kB cwmma
npm/browserify-zlib@0.2.0 None 0 192 kB dignifiedquire
npm/browserslist@4.17.6 environment, filesystem 0 68.7 kB ai
npm/buffer-crc32@0.2.13 None 0 7.95 kB brianloveswords
npm/buffer-from@1.1.1 None 0 4.97 kB linusu
npm/buffer-xor@1.0.3 None 0 4.83 kB dcousens
npm/buffers@0.1.1 None 0 17.4 kB
npm/builtin-modules@3.3.0 unsafe 0 4.51 kB sindresorhus
npm/builtin-status-codes@3.0.0 network 0 4.5 kB bendrucker
npm/cache-base@1.0.1 None 0 16.4 kB jonschlinkert
npm/cached-path-relative@1.1.0 None 0 3.71 kB ashaffer88
npm/call-bind@1.0.2 None 0 14.7 kB ljharb
npm/camel-case@4.1.2 None 0 14.3 kB blakeembrey
npm/camelize@1.0.0 None 0 5.67 kB substack
npm/caniuse-api@3.0.0 None 0 12.2 kB nyalab
npm/caniuse-lite@1.0.30001279 None 0 1.42 MB caniuse-lite
npm/chai@4.2.0 None 0 735 kB chaijs
npm/chainsaw@0.1.0 None 0 20.4 kB
npm/check-error@1.0.2 None 0 20.2 kB chaijs
npm/check-types@11.1.2 None 0 64 kB philbooth
npm/chokidar@3.3.1 environment, filesystem 0 88 kB paulmillr
npm/cipher-base@1.0.4 None 0 7.95 kB cwmma
npm/cjs-module-lexer@1.2.2 None 0 138 kB guybedford
npm/class-utils@0.3.6 None 0 19 kB jonschlinkert
npm/classnames@2.3.2 None 0 18.8 kB dcousens
npm/cliui@5.0.0 None 0 14.8 kB bcoe
npm/coa@2.0.2 environment, filesystem 0 72.5 kB qfox
npm/collect-v8-coverage@1.0.1 unsafe 0 4.14 kB simenb
npm/collection-visit@1.0.0 None 0 6.85 kB jonschlinkert
npm/colord@2.9.2 None 0 113 kB omgovich
npm/colorette@2.0.19 None 0 17 kB jorgebucaran
npm/combine-source-map@0.8.0 None 0 26.2 kB thlorenz
npm/common-path-prefix@3.0.0 None 0 4.01 kB novemberborn
npm/common-tags@1.8.1 None 0 221 kB fatfisz
npm/component-emitter@1.3.0 None 0 8 kB nami-doc
npm/compress-commons@2.1.1 None 0 38.3 kB ctalkington
npm/concat-stream@1.6.2 None 0 9.56 kB mafintosh
npm/console-browserify@1.2.0 None 0 10.3 kB goto-bus-stop
npm/constants-browserify@1.0.0 None 0 7.46 kB juliangruber
npm/content-disposition@0.5.3 None 0 19.1 kB dougwilson
npm/content-type@1.0.4 None 0 10.2 kB dougwilson
npm/convert-source-map@1.8.0 filesystem 0 10.3 kB thlorenz
npm/cookie-parser@1.4.4 None 0 11.2 kB dougwilson
npm/cookie@0.4.0 None 0 17.9 kB dougwilson
npm/copy-descriptor@0.1.1 None 0 4.15 kB jonschlinkert
npm/core-js-compat@3.19.1 None 0 355 kB zloirock
npm/core-js-pure@3.20.3 environment, eval, filesystem 0 813 kB zloirock
npm/crc@3.8.0 None 0 94.3 kB alexgorbatchev
npm/crc32-stream@3.0.1 None 0 8.05 kB ctalkington
npm/create-ecdh@4.0.3 None 0 5.4 kB cwmma
npm/create-hash@1.2.0 None 0 5.21 kB cwmma
npm/create-hmac@1.1.7 None 0 5.81 kB cwmma
npm/crypto-browserify@3.12.0 None 0 53.5 kB cwmma
npm/css-color-keywords@1.0.0 None 0 6.49 kB sonicdoe
npm/css-minimizer-webpack-plugin@3.4.1 eval 0 65.1 kB evilebottnawi
npm/css-select-base-adapter@0.1.1 None 0 10.9 kB nrkn
npm/css-select@2.1.0 None 0 53.7 kB feedic
npm/css-to-react-native@3.0.0 environment 0 87.8 kB jacobp100
npm/css-tree@1.0.0-alpha.37 None 0 995 kB lahmatiy
npm/css-what@3.4.2 None 0 23.7 kB feedic
npm/cssnano-utils@3.0.0 None 0 5.54 kB ludovicofischer
npm/csso@4.2.0 None 0 593 kB lahmatiy
npm/csstype@3.1.1 None 0 1.19 MB faddee
npm/damerau-levenshtein@1.0.8 None 0 11.8 kB lazurski
npm/dash-ast@1.0.0 None 0 8.69 kB goto-bus-stop
npm/debug@4.1.1 environment 0 81.5 kB qix
npm/decamelize-keys@1.1.0 None 0 3.97 kB dsblv
npm/decimal.js@10.4.1 None 0 283 kB mikemcl
npm/decode-uri-component@0.2.0 None 0 5.71 kB samverschueren
npm/decompress-zip@0.3.2 None 0 32.4 kB sheerun
npm/deep-eql@3.0.1 None 0 54 kB chaijs
npm/deepmerge@4.2.2 None 0 30.1 kB tehshrike
npm/define-properties@1.1.3 None 0 23 kB ljharb
npm/define-property@2.0.2 None 0 10.7 kB doowb
npm/defined@1.0.0 None 0 4.51 kB substack
npm/deps-sort@2.0.1 None 0 18.2 kB goto-bus-stop
npm/des.js@1.0.1 None 0 38.6 kB indutny
npm/destroy@1.0.4 filesystem 0 5.2 kB dougwilson
npm/detect-passive-events@1.0.4 None 0 6.43 kB rafrex
npm/detect-port-alt@1.1.6 network 0 31.5 kB timer
npm/detective@4.7.1 None 0 17.8 kB goto-bus-stop
npm/diff@3.5.0 None 0 622 kB kpdecker
npm/diffie-hellman@5.0.3 None 0 17.3 kB cwmma
npm/djbx@1.0.3 None 0 420 B pemrouz
npm/dns-equal@1.0.0 None 0 3.18 kB watson
npm/dom-accessibility-api@0.5.10 None 0 262 kB eps1lon
npm/dom-converter@0.2.0 None 0 7.9 kB ariaminaei
npm/dom-serializer@0.2.2 None 0 9.52 kB feedic
npm/domelementtype@1.3.1 None 0 2.07 kB feedic
npm/domhandler@4.2.2 None 0 40 kB feedic
npm/domutils@1.7.0 None 0 20.5 kB feedic
npm/dot-case@3.0.4 None 0 10.5 kB blakeembrey
npm/dotenv-expand@5.1.0 None 0 15.9 kB motdotla
npm/duplexer2@0.1.4 None 0 6.4 kB zertosh
npm/ejs@3.1.8 eval, filesystem 0 140 kB mde
npm/electron-to-chromium@1.3.895 None 0 82.4 kB kilianvalkhof
npm/elliptic@6.5.4 None 0 118 kB indutny
npm/emittery@0.8.1 None 0 35.5 kB sindresorhus
npm/emojis-list@3.0.0 None 0 53.6 kB kikobeats
npm/error-stack-parser@2.0.6 None 0 38.1 kB eriwen
npm/es-abstract@1.17.4 eval 0 877 kB ljharb
npm/es-module-lexer@0.9.3 None 0 79.7 kB guybedford
npm/es-shim-unscopables@1.0.0 None 0 10 kB ljharb
npm/escalade@3.1.1 filesystem 0 11.4 kB lukeed
npm/eslint-import-resolver-node@0.3.6 None 0 5.37 kB ljharb
npm/eslint-module-utils@2.7.4 None 0 34.9 kB ljharb
npm/eslint-plugin-flowtype@8.0.3 None 0 335 kB gajus
npm/eslint-plugin-import@2.26.0 filesystem, unsafe 0 1.06 MB ljharb
npm/eslint-plugin-jest@25.7.0 filesystem 0 315 kB simenb
npm/eslint-plugin-jsx-a11y@6.6.1 None 0 674 kB ljharb
npm/eslint-plugin-react-hooks@4.6.0 environment 0 118 kB gnoff
npm/eslint-plugin-react@7.31.8 filesystem 0 750 kB ljharb
npm/eslint-plugin-testing-library@5.7.2 filesystem 0 235 kB testing-library-bot
npm/eslint-utils@3.0.0 None 0 358 kB mysticatea
npm/eslint-webpack-plugin@3.1.1 filesystem 0 43.8 kB ricardogobbosouza
npm/esquery@1.4.0 None 0 986 kB michaelficarra
npm/esrecurse@4.3.0 None 0 13.5 kB michaelficarra
npm/evp_bytestokey@1.0.3 None 0 5.13 kB dcousens
npm/expand-range@1.8.2 None 0 7.89 kB jonschlinkert
npm/express-session@1.17.0 environment 0 77.1 kB dougwilson
npm/express@4.17.1 environment, filesystem, network 0 208 kB dougwilson
npm/extend-shallow@3.0.2 None 0 8.61 kB phated
npm/fast-deep-equal@3.1.1 None 0 12.9 kB esp
npm/fast-safe-stringify@2.0.7 None 0 34 kB davidmarkclements
npm/fastq@1.13.0 None 0 38.2 kB matteo.collina
npm/fb-watchman@2.0.1 environment, network, shell 0 10.8 kB wez
npm/filename-regex@2.0.1 None 0 4.35 kB doowb
npm/fill-range@4.0.0 None 0 16.9 kB jonschlinkert
npm/finalhandler@1.1.2 environment 0 17 kB dougwilson
npm/find-package-json@1.2.0 filesystem 0 7.71 kB 3rdeden
npm/flat@4.1.0 None 0 20.7 kB timoxley
npm/follow-redirects@1.14.8 network 0 26.6 kB rubenverborgh
npm/for-in@1.0.2 None 0 6.28 kB jonschlinkert
npm/for-own@0.1.5 None 0 6.47 kB jonschlinkert
npm/forwarded@0.1.2 None 0 5.55 kB dougwilson
npm/fraction.js@4.2.0 None 0 67.4 kB infusion
npm/fragment-cache@0.2.1 None 0 9.9 kB jonschlinkert
npm/fs-monkey@1.0.3 filesystem, unsafe 0 22.9 kB streamich
npm/fsevents@2.1.2 None 0 44.8 kB paulmillr
npm/function-bind@1.1.1 None 0 25.2 kB ljharb
npm/function.prototype.name@1.1.5 None 0 17 kB ljharb
npm/get-assigned-identifiers@1.2.0 None 0 7.95 kB goto-bus-stop
npm/get-func-name@2.0.0 None 0 9.83 kB chaijs
npm/get-intrinsic@1.1.1 eval 0 32.5 kB ljharb
npm/get-own-enumerable-property-symbols@3.0.2 None 0 4.7 kB mightyiam
npm/get-symbol-description@1.0.0 None 0 10.3 kB ljharb
npm/get-value@2.0.6 None 0 3.71 kB jonschlinkert
npm/glob-base@0.3.0 None 0 7.92 kB es128
npm/glob@7.1.6 filesystem 0 56.1 kB isaacs
npm/global-modules@2.0.0 environment 0 6.57 kB jonschlinkert
npm/global-prefix@3.0.0 environment, filesystem 0 8.27 kB jonschlinkert
npm/globule@1.3.3 filesystem 0 15 kB vladikoff
npm/graceful-fs@4.2.3 environment, filesystem 0 27.6 kB isaacs
npm/grapheme-splitter@1.0.4 None 0 237 kB orling
npm/growl@1.10.5 environment, filesystem, shell 0 59.3 kB deiga
npm/har-validator@5.1.3 None 0 8.23 kB ahmadnassri
npm/harmony-reflect@1.6.2 None 0 88.7 kB tvcutsem
npm/has-ansi@2.0.0 None 0 3.1 kB sindresorhus
npm/has-bigints@1.0.1 None 0 10.2 kB ljharb
npm/has-property-descriptors@1.0.0 None 0 9.31 kB ljharb
npm/has-symbols@1.0.1 None 0 15.5 kB ljharb
npm/has-tostringtag@1.0.0 None 0 10.9 kB ljharb
npm/has-value@1.0.0 None 0 7.62 kB jonschlinkert
npm/has-values@1.0.0 None 0 7.88 kB jonschlinkert
npm/has@1.0.3 None 0 2.77 kB ljharb
npm/hash-base@3.0.4 None 0 6.03 kB dcousens
npm/hash.js@1.1.7 None 0 41.7 kB indutny
npm/he@1.2.0 None 0 124 kB mathias
npm/hmac-drbg@1.0.1 None 0 25 kB indutny
npm/hoopy@0.1.4 None 0 20.4 kB philbooth
npm/hosted-git-info@4.0.2 None 0 29.8 kB nlf
npm/hpack.js@2.1.6 None 0 86.9 kB indutny
npm/htmlescape@1.1.1 None 0 3.42 kB zertosh
npm/htmlparser2@6.1.0 network 0 106 kB feedic
npm/http-cache-semantics@4.1.0 None 0 36.2 kB kornel
npm/http-errors@1.7.2 None 0 17.1 kB dougwilson
npm/http-proxy@1.18.1 network 0 232 kB jcrugzz
npm/https-browserify@1.0.0 network 0 2.79 kB feross
npm/icon-android@0.0.1 None 0 2.92 kB pemrouz
npm/icon-chrome@0.0.1 None 0 2.23 kB pemrouz
npm/icon-firefox@0.0.1 None 0 4.99 kB pemrouz
npm/icon-ie@0.0.1 None 0 2.16 kB pemrouz
npm/icon-ios@0.0.1 None 0 1.55 kB pemrouz
npm/icon-linux@0.0.1 None 0 7.71 kB pemrouz
npm/icon-opera@0.0.1 None 0 1.96 kB pemrouz
npm/icon-osx@0.0.1 None 0 1.55 kB pemrouz
npm/icon-safari@0.0.1 None 0 1.93 kB pemrouz
npm/icon-windows@0.0.1 None 0 1.61 kB pemrouz
npm/idb@7.1.0 None 0 90.3 kB jaffathecake
npm/identity-obj-proxy@3.0.0 None 0 8.38 kB keyanzhang
npm/ieee754@1.1.13 None 0 6.25 kB feross
npm/indexof@0.0.1 None 0 909 B
npm/inline-source-map@0.6.2 None 0 27 kB zertosh
npm/insert-module-globals@7.2.0 None 0 32.9 kB goto-bus-stop
npm/internal-slot@1.0.3 None 0 15.5 kB ljharb
npm/invariant@2.2.4 None 0 7.64 kB zertosh
npm/is-accessor-descriptor@0.1.6 None 0 7.36 kB jonschlinkert
npm/is-boolean-object@1.1.2 None 0 22.1 kB ljharb
npm/is-callable@1.1.5 None 0 17.6 kB ljharb
npm/is-core-module@2.8.0 None 0 25 kB ljharb
npm/is-data-descriptor@0.1.4 None 0 6.55 kB jonschlinkert
npm/is-date-object@1.0.2 None 0 20.4 kB ljharb
npm/is-descriptor@0.1.6 None 0 9.01 kB jonschlinkert
npm/is-dotfile@1.0.3 None 0 6.59 kB jonschlinkert
npm/is-equal-shallow@0.1.3 None 0 5.59 kB jonschlinkert
npm/is-extendable@0.1.1 None 0 5.09 kB jonschlinkert
npm/is-glob@4.0.1 None 0 11.3 kB phated
npm/is-module@1.0.0 None 0 2.88 kB jongleberry
npm/is-negative-zero@2.0.1 None 0 24.1 kB ljharb
npm/is-number-object@1.0.6 None 0 20.7 kB ljharb
npm/is-number@3.0.0 None 0 7.5 kB jonschlinkert
npm/is-plain-object@2.0.4 None 0 7.5 kB jonschlinkert
npm/is-posix-bracket@0.1.1 None 0 5.84 kB jonschlinkert
npm/is-primitive@2.0.0 None 0 3.43 kB jonschlinkert
npm/is-regex@1.0.5 None 0 23.4 kB ljharb
npm/is-regexp@1.0.0 None 0 1.21 kB sindresorhus
npm/is-root@2.1.0 None 0 2.68 kB sindresorhus
npm/is-shared-array-buffer@1.0.1 None 0 9.2 kB ljharb
npm/is-symbol@1.0.3 None 0 22.2 kB ljharb
npm/is-weakref@1.0.1 None 0 14.6 kB ljharb
npm/is-windows@1.0.2 None 0 7.96 kB jonschlinkert
npm/jake@10.8.5 environment, filesystem, shell 0 173 kB mde
npm/jest-circus@27.5.1 eval 0 78.1 kB simenb
npm/jest-pnp-resolver@1.2.2 None 0 5.71 kB arcanis
npm/js-base64@2.6.4 None 0 19 kB dankogai
npm/js-sdsl@4.1.5 None 0 438 kB yaozilong
npm/js-yaml@3.13.1 eval 0 283 kB vitaly
npm/json5@2.2.0 None 0 242 kB jordanbtucker
npm/jsonify@0.0.0 None 0 14.7 kB
npm/jsonpointer@5.0.1 None 0 6.75 kB marcbachmann
npm/jsprim@1.4.2 None 0 31.2 kB bahamat
npm/jsx-ast-utils@3.3.3 None 0 230 kB ljharb
npm/klona@2.0.5 None 0 23 kB lukeed
npm/labeled-stream-splicer@2.0.2 None 0 9.2 kB goto-bus-stop
npm/language-subtag-registry@0.3.22 None 0 1.53 MB mcg
npm/language-tags@1.0.5 None 0 48.8 kB mcg
npm/lazystream@1.0.0 None 0 19.3 kB jpommerening
npm/lilconfig@2.0.4 filesystem 0 14.8 kB antonk52
npm/lines-and-columns@1.1.6 None 0 7.08 kB eventualbuddha
npm/lodash.difference@4.5.0 None 0 32.8 kB jdalton
npm/lodash.memoize@4.1.2 None 0 20.1 kB jdalton
npm/lodash.union@4.6.0 None 0 32.5 kB jdalton
npm/log-symbols@3.0.0 environment 0 4.11 kB sindresorhus
npm/lower-case@2.0.2 None 0 17.7 kB blakeembrey
npm/lz-string@1.4.4 None 0 173 kB pieroxy
npm/magic-string@0.14.0 None 0 332 kB rich_harris
npm/map-cache@0.2.2 None 0 7.6 kB jonschlinkert
npm/map-visit@1.0.0 None 0 8.47 kB jonschlinkert
npm/math-random@1.0.4 None 0 2.23 kB michaelrhodes
npm/md5.js@1.3.5 None 0 7.67 kB cwmma
npm/mdn-data@2.0.4 None 0 548 kB mdn
npm/memfs@3.4.7 filesystem 0 179 kB streamich
npm/miller-rabin@4.0.1 None 0 6.84 kB indutny
npm/mime-db@1.43.0 None 0 194 kB dougwilson
npm/mime-types@2.1.26 None 0 16.3 kB dougwilson
npm/minimalistic-crypto-utils@1.0.1 None 0 4.76 kB indutny
npm/minimatch@3.0.4 None 0 33.1 kB isaacs
npm/minimist@1.2.6 None 0 33.2 kB substack
npm/minipass@3.1.5 None 0 37.6 kB isaacs
npm/mixin-deep@1.3.2 None 0 7.22 kB doowb
npm/mkdirp@0.5.1 filesystem 0 21.2 kB substack
npm/mkpath@0.1.0 filesystem 0 13.8 kB jrajav
npm/mocha@7.1.1 environment, filesystem 0 905 kB juergba
npm/module-deps@4.1.1 environment, filesystem 0 75.2 kB substack
npm/nan@2.14.0 None 0 417 kB kkoopa
npm/nanoid@3.2.0 None 0 26.9 kB ai
npm/nanomatch@1.2.13 None 0 86.3 kB jonschlinkert
npm/nanosocket@1.1.0 None 0 16 kB pemrouz
npm/negotiator@0.6.2 None 0 28.1 kB dougwilson
npm/ngrok@3.2.7 environment, filesystem, shell 0 26.5 MB bubenshchykov
npm/no-case@3.0.4 None 0 25.1 kB blakeembrey
npm/node-environment-flags@1.0.6 None 0 26.2 kB boneskull
npm/node-gyp@9.2.0 environment, shell 0 2 MB rvagg
npm/node-releases@2.0.1 None 0 23.1 kB chicoxyzzy
npm/nopt@3.0.6 environment 0 31.3 kB othiym23
npm/normalize-path@2.1.1 None 0 8.46 kB jonschlinkert
npm/nth-check@1.0.2 None 0 5.54 kB feedic
npm/nwsapi@2.2.0 None 0 80.5 kB diego
npm/object-copy@0.1.0 None 0 5.47 kB jonschlinkert
npm/object-hash@2.2.0 None 0 59 kB addaleax
npm/object-inspect@1.7.0 None 0 30.6 kB ljharb
npm/object-visit@1.0.1 None 0 6.7 kB jonschlinkert
npm/object.assign@4.1.0 None 0 46.4 kB ljharb
npm/object.entries@1.1.5 None 0 29.5 kB ljharb
npm/object.fromentries@2.0.5 None 0 13.2 kB ljharb
npm/object.getownpropertydescriptors@2.1.0 None 0 21.1 kB ljharb
npm/object.hasown@1.1.1 None 0 15.1 kB ljharb
npm/object.omit@2.0.1 None 0 7.92 kB jonschlinkert
npm/object.pick@1.3.0 None 0 6.36 kB phated
npm/object.values@1.1.5 None 0 29 kB ljharb
npm/on-finished@2.3.0 None 0 12.3 kB dougwilson
npm/onetime@5.1.2 None 0 6.17 kB sindresorhus
npm/os-browserify@0.3.0 None 0 2.74 kB coderpuppy
npm/p-limit@2.2.2 None 0 6.7 kB sindresorhus
npm/p-locate@3.0.0 None 0 5.05 kB sindresorhus
npm/param-case@3.0.4 None 0 10.2 kB blakeembrey
npm/parents@1.0.1 None 0 6.52 kB substack
npm/parse-asn1@5.1.5 None 0 13.1 kB cwmma
npm/parse-glob@3.0.4 None 0 10.1 kB jonschlinkert
npm/pascal-case@3.1.2 None 0 14.8 kB blakeembrey
npm/pascalcase@0.1.1 None 0 4.46 kB jonschlinkert
npm/path-browserify@0.0.1 None 0 27 kB goto-bus-stop
npm/path-platform@0.11.15 environment 0 18 kB tjfontaine
npm/pathval@1.1.1 None 0 15.8 kB chai
npm/pbkdf2@3.0.17 None 0 12.9 kB cwmma
npm/picomatch@2.2.1 None 0 92.5 kB jonschlinkert
npm/platform@1.3.5 None 0 45 kB d10
npm/posix-character-classes@0.1.1 None 0 6.97 kB jonschlinkert
npm/postcss-clamp@4.1.0 None 0 17.2 kB polemius
npm/postcss-js@4.0.0 None 0 8.36 kB ai
npm/postcss-nested@5.0.6 None 0 11.8 kB ai
npm/postcss-opacity-percentage@1.1.2 None 0 4.87 kB dreamseer
npm/postcss-selector-parser@6.0.6 None 0 326 kB evilebottnawi
npm/postcss-value-parser@4.0.3 None 0 26.3 kB evilebottnawi
npm/preserve@0.2.0 None 0 9.42 kB jonschlinkert
npm/pretty-bytes@5.6.0 None 0 11.5 kB sindresorhus
npm/process@0.11.10 None 0 15.3 kB cwmma
npm/promise@8.1.0 eval 0 95.5 kB forbeslindesay
npm/prompts@2.4.2 None 0 187 kB terkelg
npm/prop-types-extra@1.1.1 None 0 16.2 kB monastic.panic
npm/prop-types@15.7.2 environment 0 97.7 kB ljharb
npm/proxy-addr@2.0.6 None 0 15.6 kB dougwilson
npm/psl@1.7.0 None 0 432 kB lupomontero
npm/public-encrypt@4.0.3 None 0 27.8 kB cwmma
npm/punycode@2.1.1 None 0 32.4 kB mathias
npm/qs@6.5.2 None 0 114 kB ljharb
npm/querystring-es3@0.2.1 None 0 16.1 kB spaintrain
npm/querystring@0.2.0 None 0 33.3 kB gozala
npm/raf@3.4.1 None 0 8.1 kB cmtegner
npm/random-bytes@1.0.0 None 0 6.24 kB dougwilson
npm/randomatic@3.1.1 None 0 13.1 kB doowb
npm/randombytes@2.1.0 None 0 6.36 kB cwmma
npm/randomfill@1.0.4 None 0 6.84 kB cwmma
npm/raw-body@2.4.0 network 0 22.7 kB dougwilson
npm/react-dev-utils@12.0.0 None 0 111 kB iansu
npm/react-is@16.13.0 environment 0 23.9 kB threepointone
npm/react-lifecycles-compat@3.0.4 None 0 29 kB brianvaughn
npm/react-refresh@0.11.0 environment 0 60.3 kB gaearon
npm/read-only-stream@2.0.0 None 0 5.67 kB substack
npm/readable-stream@3.6.0 environment 0 122 kB matteo.collina
npm/readdirp@3.3.0 filesystem 0 19 kB paulmillr
npm/recursive-readdir@2.2.2 filesystem 0 17.1 kB jergason
npm/regenerate-unicode-properties@9.0.0 None 0 404 kB google-wombot
npm/regenerator-runtime@0.13.5 None 0 26.8 kB benjamn
npm/regenerator-transform@0.14.5 None 0 128 kB benjamn
npm/regex-cache@0.4.4 None 0 9.88 kB doowb
npm/regex-not@1.0.2 None 0 8.46 kB jonschlinkert
npm/regex-parser@2.2.11 None 0 7.59 kB ionicabizau
npm/regexpp@3.2.0 None 0 302 kB mysticatea
npm/regexpu-core@4.8.0 None 0 34.3 kB google-wombot
npm/regjsgen@0.5.2 None 0 14.3 kB d10
npm/regjsparser@0.7.0 None 0 58.5 kB jviereck
npm/remove-trailing-separator@1.1.0 None 0 4.25 kB darsain
npm/repeat-element@1.1.3 None 0 5.32 kB jonschlinkert
npm/repeat-string@1.6.1 None 0 9.09 kB jonschlinkert
npm/request-promise-core@1.1.3 None 0 19.5 kB analog-nico
npm/request-promise-native@1.0.8 None 0 7.97 kB analog-nico
npm/request@2.88.2 environment, filesystem, network 0 209 kB mikeal
npm/require-main-filename@2.0.0 None 0 3.93 kB bcoe
npm/resolve-url@0.2.1 None 0 8.77 kB lydell
npm/resolve.exports@1.1.0 None 0 20.3 kB lukeed
npm/resolve@1.15.0 filesystem 0 98.1 kB ljharb
npm/rijs.components@3.1.16 None 0 32.8 kB pemrouz
npm/rijs.core@1.2.6 None 0 51.3 kB pemrouz
npm/rijs.css@1.2.4 None 0 12.5 kB pemrouz
npm/rijs.data@2.2.4 None 0 41.7 kB pemrouz
npm/rijs.fn@1.2.6 eval 0 19 kB pemrouz
npm/rijs.npm@2.0.0 eval 0 4.41 kB pemrouz
npm/rijs.pages@1.3.0 None 0 5.69 kB pemrouz
npm/rijs.resdir@1.4.4 environment, filesystem 0 14.8 kB pemrouz
npm/rijs.serve@1.1.1 environment 0 5.41 kB pemrouz
npm/rijs.sessions@1.1.2 None 0 4.79 kB pemrouz
npm/rijs.singleton@1.0.0 None 0 8.04 kB pemrouz
npm/rijs.sync@2.3.5 None 0 63.4 kB pemrouz
npm/rijs@0.9.1 None 0 95.2 kB pemrouz
npm/ripemd160@2.0.2 None 0 9.79 kB dcousens
npm/rollup-plugin-terser@7.0.2 eval 0 8.46 kB trysound
npm/rollup@2.79.1 environment, filesystem, unsafe 0 6.7 MB lukastaegert
npm/run-parallel@1.2.0 None 0 6.56 kB feross
npm/safe-regex-test@1.0.0 None 0 7.33 kB ljharb
npm/safe-regex@1.1.0 None 0 5.87 kB substack
npm/sanitize.css@10.0.0 None 0 34.4 kB jonathantneal
npm/sax@1.2.4 None 0 54.6 kB isaacs
npm/saxes@5.0.1 None 0 164 kB lddubeau
npm/scheduler@0.20.2 environment 0 113 kB gaearon
npm/schema-utils@2.7.1 None 0 77.4 kB evilebottnawi
npm/scss-tokenizer@0.4.3 filesystem 0 40 kB xzyfer
npm/semver@6.3.0 None 0 67.1 kB isaacs
npm/send@0.17.1 filesystem, network 0 48.2 kB dougwilson
npm/serialize-javascript@4.0.0 None 0 16.2 kB okuryu
npm/serve-index@1.9.1 filesystem, network 0 93.4 kB dougwilson
npm/serve-static@1.14.1 None 0 24.9 kB dougwilson
npm/set-value@2.0.1 None 0 10.3 kB doowb
npm/setprototypeof@1.1.1 None 0 3.91 kB wesleytodd
npm/shallowequal@1.1.0 None 0 7.35 kB dashed
npm/shasum-object@1.0.0 None 0 8.61 kB goto-bus-stop
npm/shasum@1.0.2 None 0 3.67 kB dominictarr
npm/shell-quote@1.7.3 None 0 22.2 kB substack
npm/side-channel@1.0.4 None 0 14.6 kB ljharb
npm/signal-exit@3.0.2 None 0 9.43 kB isaacs
npm/simple-concat@1.0.0 None 0 4.04 kB feross
npm/snapdragon@0.8.2 filesystem 0 35.2 kB jonschlinkert

🚮 Removed packages: npm/react-router-dom@5.3.0, npm/styled-components@5.3.3, npm/typescript@4.5.5, npm/wowjs@1.1.3

View full report↗︎

@renovate renovate bot force-pushed the renovate/major-react-router-monorepo branch from 2ce232d to 6064a53 Compare April 23, 2024 17:14
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
None yet
Projects
None yet
Development

Successfully merging this pull request may close these issues.

None yet

0 participants