UNPKG

@tanstack/react-router

Version:

Modern and scalable routing for React applications

1,324 lines (963 loc) 262 kB
export default `# Authenticated Routes Authentication is an extremely common requirement for web applications. In this guide, we'll walk through how to use TanStack Router to build protected routes, and how to redirect users to login if they try to access them. ## The \`route.beforeLoad\` Option The \`route.beforeLoad\` option allows you to specify a function that will be called before a route is loaded. It receives all of the same arguments that the \`route.loader\` function does. This is a great place to check if a user is authenticated, and redirect them to a login page if they are not. The \`beforeLoad\` function runs in relative order to these other route loading functions: - Route Matching (Top-Down) - \`route.params.parse\` - \`route.validateSearch\` - Route Loading (including Preloading) - **\`route.beforeLoad\`** - \`route.onError\` - Route Loading (Parallel) - \`route.component.preload?\` - \`route.load\` **It's important to know that the \`beforeLoad\` function for a route is called _before any of its child routes' \`beforeLoad\` functions_.** It is essentially a middleware function for the route and all of its children. **If you throw an error in \`beforeLoad\`, none of its children will attempt to load**. ## Redirecting While not required, some authentication flows require redirecting to a login page. To do this, you can **throw a \`redirect()\`** from \`beforeLoad\`: \`\`\`tsx // src/routes/_authenticated.tsx export const Route = createFileRoute('/_authenticated')({ beforeLoad: async ({ location }) => { if (!isAuthenticated()) { throw redirect({ to: '/login', search: { // Use the current location to power a redirect after login // (Do not use \`router.state.resolvedLocation\` as it can // potentially lag behind the actual current location) redirect: location.href, }, }) } }, }) \`\`\` > [!TIP] > The \`redirect()\` function takes all of the same options as the \`navigate\` function, so you can pass options like \`replace: true\` if you want to replace the current history entry instead of adding a new one. Once you have authenticated a user, it's also common practice to redirect them back to the page they were trying to access. To do this, you can utilize the \`redirect\` search param that we added in our original redirect. Since we'll be replacing the entire URL with what it was, \`router.history.push\` is better suited for this than \`router.navigate\`: \`\`\`tsx router.history.push(search.redirect) \`\`\` ## Non-Redirected Authentication Some applications choose to not redirect users to a login page, and instead keep the user on the same page and show a login form that either replaces the main content or hides it via a modal. This is also possible with TanStack Router by simply short circuiting rendering the \`<Outlet />\` that would normally render the child routes: \`\`\`tsx // src/routes/_authenticated.tsx export const Route = createFileRoute('/_authenticated')({ component: () => { if (!isAuthenticated()) { return <Login /> } return <Outlet /> }, }) \`\`\` This keeps the user on the same page, but still allows you to render a login form. Once the user is authenticated, you can simply render the \`<Outlet />\` and the child routes will be rendered. ## Authentication using React context/hooks If your authentication flow relies on interactions with React context and/or hooks, you'll need to pass down your authentication state to TanStack Router using \`router.context\` option. > [!IMPORTANT] > React hooks are not meant to be consumed outside of React components. If you need to use a hook outside of a React component, you need to extract the returned state from the hook in a component that wraps your \`<RouterProvider />\` and then pass the returned value down to TanStack Router. We'll cover the \`router.context\` options in-detail in the [Router Context](../router-context.md) section. Here's an example that uses React context and hooks for protecting authenticated routes in TanStack Router. See the entire working setup in the [Authenticated Routes example](https://github.com/TanStack/router/tree/main/examples/react/authenticated-routes). - \`src/routes/__root.tsx\` \`\`\`tsx import { createRootRouteWithContext } from '@tanstack/react-router' interface MyRouterContext { // The ReturnType of your useAuth hook or the value of your AuthContext auth: AuthState } export const Route = createRootRouteWithContext<MyRouterContext>()({ component: () => <Outlet />, }) \`\`\` - \`src/router.tsx\` \`\`\`tsx import { createRouter } from '@tanstack/react-router' import { routeTree } from './routeTree.gen' export const router = createRouter({ routeTree, context: { // auth will initially be undefined // We'll be passing down the auth state from within a React component auth: undefined!, }, }) \`\`\` - \`src/App.tsx\` \`\`\`tsx import { RouterProvider } from '@tanstack/react-router' import { AuthProvider, useAuth } from './auth' import { router } from './router' function InnerApp() { const auth = useAuth() return <RouterProvider router={router} context={{ auth }} /> } function App() { return ( <AuthProvider> <InnerApp /> </AuthProvider> ) } \`\`\` Then in the authenticated route, you can check the auth state using the \`beforeLoad\` function, and **throw a \`redirect()\`** to your **Login route** if the user is not signed-in. - \`src/routes/dashboard.route.tsx\` \`\`\`tsx import { createFileRoute, redirect } from '@tanstack/react-router' export const Route = createFileRoute('/dashboard')({ beforeLoad: ({ context, location }) => { if (!context.auth.isAuthenticated) { throw redirect({ to: '/login', search: { redirect: location.href, }, }) } }, }) \`\`\` You can _optionally_, also use the [Non-Redirected Authentication](#non-redirected-authentication) approach to show a login form instead of calling a **redirect**. This approach can also be used in conjunction with Pathless or Layout Route to protect all routes under their parent route. ## Related How-To Guides For detailed, step-by-step implementation guides, see: - [How to Set Up Basic Authentication](../../how-to/setup-authentication.md) - Complete setup with React Context and protected routes - [How to Integrate Authentication Providers](../../how-to/setup-auth-providers.md) - Use Auth0, Clerk, or Supabase - [How to Set Up Role-Based Access Control](../../how-to/setup-rbac.md) - Implement permissions and role-based routing ## Examples Working authentication examples are available in the repository: - [Basic Authentication Example](https://github.com/TanStack/router/tree/main/examples/react/authenticated-routes) - Simple authentication with context - [Firebase Authentication](https://github.com/TanStack/router/tree/main/examples/react/authenticated-routes-firebase) - Firebase Auth integration - [TanStack Start Auth Examples](https://github.com/TanStack/router/tree/main/examples/react) - Various auth implementations with TanStack Start # Automatic Code Splitting The automatic code splitting feature in TanStack Router allows you to optimize your application's bundle size by lazily loading route components and their associated data. This is particularly useful for large applications where you want to minimize the initial load time by only loading the necessary code for the current route. To turn this feature on, simply set the \`autoCodeSplitting\` option to \`true\` in your bundler plugin configuration. This enables the router to automatically handle code splitting for your routes without requiring any additional setup. \`\`\`ts // vite.config.ts import { defineConfig } from 'vite' import { tanstackRouter } from '@tanstack/router-plugin/vite' export default defineConfig({ plugins: [ tanstackRouter({ autoCodeSplitting: true, // Enable automatic code splitting }), ], }) \`\`\` But that's just the beginning! TanStack Router's automatic code splitting is not only easy to enable, but it also provides powerful customization options to tailor how your routes are split into chunks. This allows you to optimize your application's performance based on your specific needs and usage patterns. ## How does it work? TanStack Router's automatic code splitting works by transforming your route files both during 'development' and at 'build' time. It rewrites the route definitions to use lazy-loading wrappers for components and loaders, which allows the bundler to group these properties into separate chunks. > [!TIP] > A **chunk** is a file that contains a portion of your application's code, which can be loaded on demand. This helps reduce the initial load time of your application by only loading the code that is needed for the current route. So when your application loads, it doesn't include all the code for every route. Instead, it only includes the code for the routes that are initially needed. As users navigate through your application, additional chunks are loaded on demand. This happens seamlessly, without requiring you to manually split your code or manage lazy loading. The TanStack Router bundler plugin takes care of everything, ensuring that your routes are optimized for performance right out of the box. ### The transformation process When you enable automatic code splitting, the bundler plugin does this by using static code analysis look at your the code in your route files to transform them into optimized outputs. This transformation process produces two key outputs when each of your route files are processed: 1. **Reference File**: The bundler plugin takes your original route file (e.g., \`posts.route.tsx\`) and modifies the values for properties like \`component\` or \`pendingComponent\` to use special lazy-loading wrappers that'll fetch the actual code later. These wrappers point to a "virtual" file that the bundler will resolve later on. 2. **Virtual File**: When the bundler sees a request for one of these virtual files (e.g., \`posts.route.tsx?tsr-split=component\`), it intercepts it to generate a new, minimal on-the-fly file that _only_ contains the code for the requested properties (e.g., just the \`PostsComponent\`). This process ensures that your original code remains clean and readable, while the actual bundled output is optimized for initial bundle size. ### What gets code split? The decision of what to split into separate chunks is crucial for optimizing your application's performance. TanStack Router uses a concept called "**Split Groupings**" to determine how different parts of your route should be bundled together. Split groupings are arrays of properties that tell TanStack Router how to bundle different parts of your route together. Each grouping is an list of property names that you want to bundle together into a single lazy-loaded chunk. The available properties to split are: - \`component\` - \`errorComponent\` - \`pendingComponent\` - \`notFoundComponent\` - \`loader\` By default, TanStack Router uses the following split groupings: \`\`\`sh [ ['component'], ['errorComponent'], ['notFoundComponent'] ] \`\`\` This means that it creates three separate lazy-loaded chunks for each route. Resulting in: - One for the main component - One for the error component - And one for the not-found component. ### Rules of Splitting For automatic code splitting to work, there are some rules in-place to make sure that this process can reliably and predictably happen. #### Do not export route properties Route properties like \`component\`, \`loader\`, etc., should not be exported from the route file. Exporting these properties results in them being bundled into the main application bundle, which means that they will not be code-split. \`\`\`tsx import { createRoute } from '@tanstack/react-router' export const Route = createRoute('/posts')({ // ... notFoundComponent: PostsNotFoundComponent, }) // ❌ Do NOT do this! // Exporting the notFoundComponent will prevent it from being code-split // and will be included in the main bundle. export function PostsNotFoundComponent() { // ❌ // ... } function PostsNotFoundComponent() { // ✅ // ... } \`\`\` **That's it!** There are no other restrictions. You can use any other JavaScript or TypeScript features in your route files as you normally would. If you run into any issues, please [open an issue](https://github.com/tanstack/router/issues) on GitHub. ## Granular control For most applications, the default behavior of using \`autoCodeSplitting: true\` is sufficient. However, TanStack Router provides several options to customize how your routes are split into chunks, allowing you to optimize for specific use cases or performance needs. ### Global code splitting behavior (\`defaultBehavior\`) You can change how TanStack Router splits your routes by changing the \`defaultBehavior\` option in your bundler plugin configuration. This allows you to define how different properties of your routes should be bundled together. For example, to bundle all UI-related components into a single chunk, you could configure it like this: \`\`\`ts // vite.config.ts import { defineConfig } from 'vite' import { tanstackRouter } from '@tanstack/router-plugin/vite' export default defineConfig({ plugins: [ tanstackRouter({ autoCodeSplitting: true, codeSplittingOptions: { defaultBehavior: [ [ 'component', 'pendingComponent', 'errorComponent', 'notFoundComponent', ], // Bundle all UI components together ], }, }), ], }) \`\`\` ### Advanced programmatic control (\`splitBehavior\`) For complex rulesets, you can use the \`splitBehavior\` function in your vite config to programmatically define how routes should be split into chunks based on their \`routeId\`. This function allows you to implement custom logic for grouping properties together, giving you fine-grained control over the code splitting behavior. \`\`\`ts // vite.config.ts import { defineConfig } from 'vite' import { tanstackRouter } from '@tanstack/router-plugin/vite' export default defineConfig({ plugins: [ tanstackRouter({ autoCodeSplitting: true, codeSplittingOptions: { splitBehavior: ({ routeId }) => { // For all routes under /posts, bundle the loader and component together if (routeId.startsWith('/posts')) { return [['loader', 'component']] } // All other routes will use the \`defaultBehavior\` }, }, }), ], }) \`\`\` ### Per-route overrides (\`codeSplitGroupings\`) For ultimate control, you can override the global configuration directly inside a route file by adding a \`codeSplitGroupings\` property. This is useful for routes that have unique optimization needs. \`\`\`tsx // src/routes/posts.route.tsx import { createFileRoute } from '@tanstack/react-router' import { loadPostsData } from './-heavy-posts-utils' export const Route = createFileRoute('/posts')({ // For this specific route, bundle the loader and component together. codeSplitGroupings: [['loader', 'component']], loader: () => loadPostsData(), component: PostsComponent, }) function PostsComponent() { // ... } \`\`\` This will create a single chunk that includes both the \`loader\` and the \`component\` for this specific route, overriding both the default behavior and any programmatic split behavior defined in your bundler config. ### Configuration order matters This guide has so far describe three different ways to configure how TanStack Router splits your routes into chunks. To make sure that the different configurations do not conflict with each other, TanStack Router uses the following order of precedence: 1. **Per-route overrides**: The \`codeSplitGroupings\` property inside a route file takes the highest precedence. This allows you to define specific split groupings for individual routes. 2. **Programmatic split behavior**: The \`splitBehavior\` function in your bundler config allows you to define custom logic for how routes should be split based on their \`routeId\`. 3. **Default behavior**: The \`defaultBehavior\` option in your bundler config serves as the fallback for any routes that do not have specific overrides or custom logic defined. This is the base configuration that applies to all routes unless overridden. ### Splitting the Data Loader The \`loader\` function is responsible for fetching data needed by the route. By default, it is bundled with into your "reference file" and loaded in the initial bundle. However, you can also split the \`loader\` into its own chunk if you want to optimize further. > [!CAUTION] > Moving the \`loader\` into its own chunk is a **performance trade-off**. It introduces an additional trip to the server before the data can be fetched, which can lead to slower initial page loads. This is because the \`loader\` **must** be fetched and executed before the route can render its component. > Therefore, we recommend keeping the \`loader\` in the initial bundle unless you have a specific reason to split it. \`\`\`ts // vite.config.ts import { defineConfig } from 'vite' import { tanstackRouter } from '@tanstack/router-plugin/vite' export default defineConfig({ plugins: [ tanstackRouter({ autoCodeSplitting: true, codeSplittingOptions: { defaultBehavior: [ ['loader'], // The loader will be in its own chunk ['component'], // ... other component groupings ], }, }), ], }) \`\`\` We highly discourage splitting the \`loader\` unless you have a specific use case that requires it. In most cases, not splitting off the \`loader\` and keep it in the main bundle is the best choice for performance. # Code Splitting Code splitting and lazy loading is a powerful technique for improving the bundle size and load performance of an application. - Reduces the amount of code that needs to be loaded on initial page load - Code is loaded on-demand when it is needed - Results in more chunks that are smaller in size that can be cached more easily by the browser. ## How does TanStack Router split code? TanStack Router separates code into two categories: - **Critical Route Configuration** - The code that is required to render the current route and kick off the data loading process as early as possible. - Path Parsing/Serialization - Search Param Validation - Loaders, Before Load - Route Context - Static Data - Links - Scripts - Styles - All other route configuration not listed below - **Non-Critical/Lazy Route Configuration** - The code that is not required to match the route, and can be loaded on-demand. - Route Component - Error Component - Pending Component - Not-found Component > 🧠 **Why is the loader not split?** > > - The loader is already an asynchronous boundary, so you pay double to both get the chunk _and_ wait for the loader to execute. > - Categorically, it is less likely to contribute to a large bundle size than a component. > - The loader is one of the most important preloadable assets for a route, especially if you're using a default preload intent, like hovering over a link, so it's important for the loader to be available without any additional async overhead. > > Knowing the disadvantages of splitting the loader, if you still want to go ahead with it, head over to the [Data Loader Splitting](#data-loader-splitting) section. ## Encapsulating a route's files into a directory Since TanStack Router's file-based routing system is designed to support both flat and nested file structures, it's possible to encapsulate a route's files into a single directory without any additional configuration. To encapsulate a route's files into a directory, move the route file itself into a \`.route\` file within a directory with the same name as the route file. For example, if you have a route file named \`posts.tsx\`, you would create a new directory named \`posts\` and move the \`posts.tsx\` file into that directory, renaming it to \`route.tsx\`. **Before** - \`posts.tsx\` **After** - \`posts\` - \`route.tsx\` ## Approaches to code splitting TanStack Router supports multiple approaches to code splitting. If you are using code-based routing, skip to the [Code-Based Splitting](#code-based-splitting) section. When you are using file-based routing, you can use the following approaches to code splitting: - [Using automatic code-splitting ✨](#using-automatic-code-splitting) - [Using the \`.lazy.tsx\` suffix](#using-the-lazytsx-suffix) - [Using Virtual Routes](#using-virtual-routes) ## Using automatic code-splitting✨ This is the easiest and most powerful way to code split your route files. When using the \`autoCodeSplitting\` feature, TanStack Router will automatically code split your route files based on the non-critical route configuration mentioned above. > [!IMPORTANT] > The automatic code-splitting feature is **ONLY** available when you are using file-based routing with one of our [supported bundlers](../../routing/file-based-routing.md#getting-started-with-file-based-routing). > This will **NOT** work if you are **only** using the CLI (\`@tanstack/router-cli\`). To enable automatic code-splitting, you just need to add the following to the configuration of your TanStack Router Bundler Plugin: \`\`\`ts // vite.config.ts import { defineConfig } from 'vite' import react from '@vitejs/plugin-react' import { tanstackRouter } from '@tanstack/router-plugin/vite' export default defineConfig({ plugins: [ tanstackRouter({ // ... autoCodeSplitting: true, }), react(), // Make sure to add this plugin after the TanStack Router Bundler plugin ], }) \`\`\` That's it! TanStack Router will automatically code-split all your route files by their critical and non-critical route configurations. If you want more control over the code-splitting process, head over to the [Automatic Code Splitting](../automatic-code-splitting.md) guide to learn more about the options available. ## Using the \`.lazy.tsx\` suffix If you are not able to use the automatic code-splitting feature, you can still code-split your route files using the \`.lazy.tsx\` suffix. It is **as easy as moving your code into a separate file with a \`.lazy.tsx\` suffix** and using the \`createLazyFileRoute\` function instead of \`createFileRoute\`. > [!IMPORTANT] > The \`__root.tsx\` route file, using either \`createRootRoute\` or \`createRootRouteWithContext\`, does not support code splitting, since it's always rendered regardless of the current route. These are the only options that \`createLazyFileRoute\` support: | Export Name | Description | | ------------------- | --------------------------------------------------------------------- | | \`component\` | The component to render for the route. | | \`errorComponent\` | The component to render when an error occurs while loading the route. | | \`pendingComponent\` | The component to render while the route is loading. | | \`notFoundComponent\` | The component to render if a not-found error gets thrown. | ### Example code splitting with \`.lazy.tsx\` When you are using \`.lazy.tsx\` you can split your route into two files to enable code splitting: **Before (Single File)** \`\`\`tsx // src/routes/posts.tsx import { createFileRoute } from '@tanstack/react-router' import { fetchPosts } from './api' export const Route = createFileRoute('/posts')({ loader: fetchPosts, component: Posts, }) function Posts() { // ... } \`\`\` **After (Split into two files)** This file would contain the critical route configuration: \`\`\`tsx // src/routes/posts.tsx import { createFileRoute } from '@tanstack/react-router' import { fetchPosts } from './api' export const Route = createFileRoute('/posts')({ loader: fetchPosts, }) \`\`\` With the non-critical route configuration going into the file with the \`.lazy.tsx\` suffix: \`\`\`tsx // src/routes/posts.lazy.tsx import { createLazyFileRoute } from '@tanstack/react-router' export const Route = createLazyFileRoute('/posts')({ component: Posts, }) function Posts() { // ... } \`\`\` ## Using Virtual Routes You might run into a situation where you end up splitting out everything from a route file, leaving it empty! In this case, simply **delete the route file entirely**! A virtual route will automatically be generated for you to serve as an anchor for your code split files. This virtual route will live directly in the generated route tree file. **Before (Virtual Routes)** \`\`\`tsx // src/routes/posts.tsx import { createFileRoute } from '@tanstack/react-router' export const Route = createFileRoute('/posts')({ // Hello? }) \`\`\` \`\`\`tsx // src/routes/posts.lazy.tsx import { createLazyFileRoute } from '@tanstack/react-router' export const Route = createLazyFileRoute('/posts')({ component: Posts, }) function Posts() { // ... } \`\`\` **After (Virtual Routes)** \`\`\`tsx // src/routes/posts.lazy.tsx import { createLazyFileRoute } from '@tanstack/react-router' export const Route = createLazyFileRoute('/posts')({ component: Posts, }) function Posts() { // ... } \`\`\` Tada! 🎉 ## Code-Based Splitting If you are using code-based routing, you can still code-split your routes using the \`Route.lazy()\` method and the \`createLazyRoute\` function. You'll need to split your route configuration into two parts: Create a lazy route using the \`createLazyRoute\` function. \`\`\`tsx // src/posts.lazy.tsx export const Route = createLazyRoute('/posts')({ component: MyComponent, }) function MyComponent() { return <div>My Component</div> } \`\`\` Then, call the \`.lazy\` method on the route definition in your \`app.tsx\` to import the lazy/code-split route with the non-critical route configuration. \`\`\`tsx // src/app.tsx const postsRoute = createRoute({ getParentRoute: () => rootRoute, path: '/posts', }).lazy(() => import('./posts.lazy').then((d) => d.Route)) \`\`\` ## Data Loader Splitting **Be warned!!!** Splitting a route loader is a dangerous game. It can be a powerful tool to reduce bundle size, but it comes with a cost as mentioned in the [How does TanStack Router split code?](#how-does-tanstack-router-split-code) section. You can code split your data loading logic using the Route's \`loader\` option. While this process makes it difficult to maintain type-safety with the parameters passed to your loader, you can always use the generic \`LoaderContext\` type to get you most of the way there: \`\`\`tsx import { lazyFn } from '@tanstack/react-router' const route = createRoute({ path: '/my-route', component: MyComponent, loader: lazyFn(() => import('./loader'), 'loader'), }) // In another file...a export const loader = async (context: LoaderContext) => { /// ... } \`\`\` If you are using file-based routing, you'll only be able to split your \`loader\` if you are using [Automatic Code Splitting](#using-automatic-code-splitting) with customized bundling options. ## Manually accessing Route APIs in other files with the \`getRouteApi\` helper As you might have guessed, placing your component code in a separate file than your route can make it difficult to consume the route itself. To help with this, TanStack Router exports a handy \`getRouteApi\` function that you can use to access a route's type-safe APIs in a file without importing the route itself. - \`my-route.tsx\` \`\`\`tsx import { createRoute } from '@tanstack/react-router' import { MyComponent } from './MyComponent' const route = createRoute({ path: '/my-route', loader: () => ({ foo: 'bar', }), component: MyComponent, }) \`\`\` - \`MyComponent.tsx\` \`\`\`tsx import { getRouteApi } from '@tanstack/react-router' const route = getRouteApi('/my-route') export function MyComponent() { const loaderData = route.useLoaderData() // ^? { foo: string } return <div>...</div> } \`\`\` The \`getRouteApi\` function is useful for accessing other type-safe APIs: - \`useLoaderData\` - \`useLoaderDeps\` - \`useMatch\` - \`useParams\` - \`useRouteContext\` - \`useSearch\` # Creating a Router ## The \`Router\` Class When you're ready to start using your router, you'll need to create a new \`Router\` instance. The router instance is the core brains of TanStack Router and is responsible for managing the route tree, matching routes, and coordinating navigations and route transitions. It also serves as a place to configure router-wide settings. \`\`\`tsx import { createRouter } from '@tanstack/react-router' const router = createRouter({ // ... }) \`\`\` ## Route Tree You'll probably notice quickly that the \`Router\` constructor requires a \`routeTree\` option. This is the route tree that the router will use to match routes and render components. Whether you used [file-based routing](../../routing/file-based-routing.md) or [code-based routing](../../routing/code-based-routing.md), you'll need to pass your route tree to the \`createRouter\` function: ### Filesystem Route Tree If you used our recommended file-based routing, then it's likely your generated route tree file was created at the default \`src/routeTree.gen.ts\` location. If you used a custom location, then you'll need to import your route tree from that location. \`\`\`tsx import { routeTree } from './routeTree.gen' \`\`\` ### Code-Based Route Tree If you used code-based routing, then you likely created your route tree manually using the root route's \`addChildren\` method: \`\`\`tsx const routeTree = rootRoute.addChildren([ // ... ]) \`\`\` ## Router Type Safety > [!IMPORTANT] > DO NOT SKIP THIS SECTION! ⚠️ TanStack Router provides amazing support for TypeScript, even for things you wouldn't expect like bare imports straight from the library! To make this possible, you must register your router's types using TypeScripts' [Declaration Merging](https://www.typescriptlang.org/docs/handbook/declaration-merging.html) feature. This is done by extending the \`Register\` interface on \`@tanstack/react-router\` with a \`router\` property that has the type of your \`router\` instance: \`\`\`tsx declare module '@tanstack/react-router' { interface Register { // This infers the type of our router and registers it across your entire project router: typeof router } } \`\`\` With your router registered, you'll now get type-safety across your entire project for anything related to routing. ## 404 Not Found Route As promised in earlier guides, we'll now cover the \`notFoundRoute\` option. This option is used to configure a route that will render when no other suitable match is found. This is useful for rendering a 404 page or redirecting to a default route. If you are using either file-based or code-based routing, then you'll need to add a \`notFoundComponent\` key to \`createRootRoute\`: \`\`\`tsx export const Route = createRootRoute({ component: () => ( // ... ), notFoundComponent: () => <div>404 Not Found</div>, }); \`\`\` ## Other Options There are many other options that can be passed to the \`Router\` constructor. You can find a full list of them in the [API Reference](../../api/router/RouterOptionsType.md). # Custom Link While repeating yourself can be acceptable in many situations, you might find that you do it too often. At times, you may want to create cross-cutting components with additional behavior or styles. You might also consider using third-party libraries in combination with TanStack Router's type safety. ## \`createLink\` for cross-cutting concerns \`createLink\` creates a custom \`Link\` component with the same type parameters as \`Link\`. This means you can create your own component which provides the same type safety and typescript performance as \`Link\`. ### Basic example If you want to create a basic custom link component, you can do so with the following: [//]: # 'BasicExampleImplementation' \`\`\`tsx import * as React from 'react' import { createLink, LinkComponent } from '@tanstack/react-router' interface BasicLinkProps extends React.AnchorHTMLAttributes<HTMLAnchorElement> { // Add any additional props you want to pass to the anchor element } const BasicLinkComponent = React.forwardRef<HTMLAnchorElement, BasicLinkProps>( (props, ref) => { return ( <a ref={ref} {...props} className={'block px-3 py-2 text-blue-700'} /> ) }, ) const CreatedLinkComponent = createLink(BasicLinkComponent) export const CustomLink: LinkComponent<typeof BasicLinkComponent> = (props) => { return <CreatedLinkComponent preload={'intent'} {...props} /> } \`\`\` [//]: # 'BasicExampleImplementation' You can then use your newly created \`Link\` component as any other \`Link\` \`\`\`tsx <CustomLink to={'/dashboard/invoices/$invoiceId'} params={{ invoiceId: 0 }} /> \`\`\` [//]: # 'ExamplesUsingThirdPartyLibs' ## \`createLink\` with third party libraries Here are some examples of how you can use \`createLink\` with third-party libraries. ### React Aria Components example React Aria Components v1.11.0 and later works with TanStack Router's \`preload (intent)\` prop. Use \`createLink\` to wrap each React Aria component that you use as a link. \`\`\`tsx import { createLink } from '@tanstack/react-router' import { Link as RACLink, MenuItem } from 'react-aria-components' export const Link = createLink(RACLink) export const MenuItemLink = createLink(MenuItem) \`\`\` To use React Aria's render props, including the \`className\`, \`style\`, and \`children\` functions, create a wrapper component and pass that to \`createLink\`. \`\`\`tsx import { createLink } from '@tanstack/react-router' import { Link as RACLink, type LinkProps } from 'react-aria-components' interface MyLinkProps extends LinkProps { // your props } function MyLink(props: MyLinkProps) { return ( <RACLink {...props} style={({ isHovered }) => ({ color: isHovered ? 'red' : 'blue', })} /> ) } export const Link = createLink(MyLink) \`\`\` ### Chakra UI example \`\`\`tsx import * as React from 'react' import { createLink, LinkComponent } from '@tanstack/react-router' import { Link } from '@chakra-ui/react' interface ChakraLinkProps extends Omit<React.ComponentPropsWithoutRef<typeof Link>, 'href'> { // Add any additional props you want to pass to the link } const ChakraLinkComponent = React.forwardRef< HTMLAnchorElement, ChakraLinkProps >((props, ref) => { return <Link ref={ref} {...props} /> }) const CreatedLinkComponent = createLink(ChakraLinkComponent) export const CustomLink: LinkComponent<typeof ChakraLinkComponent> = ( props, ) => { return ( <CreatedLinkComponent textDecoration={'underline'} _hover={{ textDecoration: 'none' }} _focus={{ textDecoration: 'none' }} preload={'intent'} {...props} /> ) } \`\`\` ### MUI example There is an [example](https://github.com/TanStack/router/tree/main/examples/react/start-material-ui) available which uses these patterns. #### \`Link\` If the MUI \`Link\` should simply behave like the router \`Link\`, it can be just wrapped with \`createLink\`: \`\`\`tsx import { createLink } from '@tanstack/react-router' import { Link } from '@mui/material' export const CustomLink = createLink(Link) \`\`\` If the \`Link\` should be customized this approach can be used: \`\`\`tsx import React from 'react' import { createLink } from '@tanstack/react-router' import { Link } from '@mui/material' import type { LinkProps } from '@mui/material' import type { LinkComponent } from '@tanstack/react-router' interface MUILinkProps extends LinkProps { // Add any additional props you want to pass to the Link } const MUILinkComponent = React.forwardRef<HTMLAnchorElement, MUILinkProps>( (props, ref) => <Link ref={ref} {...props} />, ) const CreatedLinkComponent = createLink(MUILinkComponent) export const CustomLink: LinkComponent<typeof MUILinkComponent> = (props) => { return <CreatedLinkComponent preload={'intent'} {...props} /> } // Can also be styled \`\`\` #### \`Button\` If a \`Button\` should be used as a router \`Link\`, the \`component\` should be set as \`a\`: \`\`\`tsx import React from 'react' import { createLink } from '@tanstack/react-router' import { Button } from '@mui/material' import type { ButtonProps } from '@mui/material' import type { LinkComponent } from '@tanstack/react-router' interface MUIButtonLinkProps extends ButtonProps<'a'> { // Add any additional props you want to pass to the Button } const MUIButtonLinkComponent = React.forwardRef< HTMLAnchorElement, MUIButtonLinkProps >((props, ref) => <Button ref={ref} component="a" {...props} />) const CreatedButtonLinkComponent = createLink(MUIButtonLinkComponent) export const CustomButtonLink: LinkComponent<typeof MUIButtonLinkComponent> = ( props, ) => { return <CreatedButtonLinkComponent preload={'intent'} {...props} /> } \`\`\` #### Usage with \`styled\` Any of these MUI approaches can then be used with \`styled\`: \`\`\`tsx import { css, styled } from '@mui/material' import { CustomLink } from './CustomLink' const StyledCustomLink = styled(CustomLink)( ({ theme }) => css\` color: \${theme.palette.common.white}; \`, ) \`\`\` ### Mantine example \`\`\`tsx import * as React from 'react' import { createLink, LinkComponent } from '@tanstack/react-router' import { Anchor, AnchorProps } from '@mantine/core' interface MantineAnchorProps extends Omit<AnchorProps, 'href'> { // Add any additional props you want to pass to the anchor } const MantineLinkComponent = React.forwardRef< HTMLAnchorElement, MantineAnchorProps >((props, ref) => { return <Anchor ref={ref} {...props} /> }) const CreatedLinkComponent = createLink(MantineLinkComponent) export const CustomLink: LinkComponent<typeof MantineLinkComponent> = ( props, ) => { return <CreatedLinkComponent preload="intent" {...props} /> } \`\`\` [//]: # 'ExamplesUsingThirdPartyLibs' # Custom Search Param Serialization By default, TanStack Router parses and serializes your URL Search Params automatically using \`JSON.stringify\` and \`JSON.parse\`. This process involves escaping and unescaping the search string, which is a common practice for URL search params, in addition to the serialization and deserialization of the search object. For instance, using the default configuration, if you have the following search object: \`\`\`tsx const search = { page: 1, sort: 'asc', filters: { author: 'tanner', min_words: 800 }, } \`\`\` It would be serialized and escaped into the following search string: \`\`\`txt ?page=1&sort=asc&filters=%7B%22author%22%3A%22tanner%22%2C%22min_words%22%3A800%7D \`\`\` We can implement the default behavior with the following code: \`\`\`tsx import { createRouter, parseSearchWith, stringifySearchWith, } from '@tanstack/react-router' const router = createRouter({ // ... parseSearch: parseSearchWith(JSON.parse), stringifySearch: stringifySearchWith(JSON.stringify), }) \`\`\` However, this default behavior may not be suitable for all use cases. For example, you may want to use a different serialization format, such as base64 encoding, or you may want to use a purpose-built serialization/deserialization library, like [query-string](https://github.com/sindresorhus/query-string), [JSURL2](https://github.com/wmertens/jsurl2), or [Zipson](https://jgranstrom.github.io/zipson/). This can be achieved by providing your own serialization and deserialization functions to the \`parseSearch\` and \`stringifySearch\` options in the [\`Router\`](../../api/router/RouterOptionsType.md#stringifysearch-method) configuration. When doing this, you can utilize TanStack Router's built-in helper functions, \`parseSearchWith\` and \`stringifySearchWith\`, to simplify the process. > [!TIP] > An important aspect of serialization and deserialization, is that you are able to get the same object back after deserialization. This is important because if the serialization and deserialization process is not done correctly, you may lose some information. For example, if you are using a library that does not support nested objects, you may lose the nested object when deserializing the search string. ![Diagram showing idempotent nature of URL search param serialization and deserialization](https://raw.githubusercontent.com/TanStack/router/main/docs/router/assets/search-serialization-deserialization-idempotency.jpg) Here are some examples of how you can customize the search param serialization in TanStack Router: ## Using Base64 It's common to base64 encode your search params to achieve maximum compatibility across browsers and URL unfurlers, etc. This can be done with the following code: \`\`\`tsx import { Router, parseSearchWith, stringifySearchWith, } from '@tanstack/react-router' const router = createRouter({ parseSearch: parseSearchWith((value) => JSON.parse(decodeFromBinary(value))), stringifySearch: stringifySearchWith((value) => encodeToBinary(JSON.stringify(value)), ), }) function decodeFromBinary(str: string): string { return decodeURIComponent( Array.prototype.map .call(atob(str), function (c) { return '%' + ('00' + c.charCodeAt(0).toString(16)).slice(-2) }) .join(''), ) } function encodeToBinary(str: string): string { return btoa( encodeURIComponent(str).replace(/%([0-9A-F]{2})/g, function (match, p1) { return String.fromCharCode(parseInt(p1, 16)) }), ) } \`\`\` > [⚠️ Why does this snippet not use atob/btoa?](#safe-binary-encodingdecoding) So, if we were to turn the previous object into a search string using this configuration, it would look like this: \`\`\`txt ?page=1&sort=asc&filters=eyJhdXRob3IiOiJ0YW5uZXIiLCJtaW5fd29yZHMiOjgwMH0%3D \`\`\` > [!WARNING] > If you are serializing user input into Base64, you run the risk of causing a collision with the URL deserialization. This can lead to unexpected behavior, such as the URL not being parsed correctly or being interpreted as a different value. To avoid this, you should encode the search params using a safe binary encoding/decoding method (see below). ## Using the query-string library The [query-string](https://github.com/sindresorhus/query-string) library is a popular for being able to reliably parse and stringify query strings. You can use it to customize the serialization format of your search params. This can be done with the following code: \`\`\`tsx import { createRouter } from '@tanstack/react-router' import qs from 'query-string' const router = createRouter({ // ... stringifySearch: stringifySearchWith((value) => qs.stringify(value, { // ...options }), ), parseSearch: parseSearchWith((value) => qs.parse(value, { // ...options }), ), }) \`\`\` So, if we were to turn the previous object into a search string using this configuration, it would look like this: \`\`\`txt ?page=1&sort=asc&filters=author%3Dtanner%26min_words%3D800 \`\`\` ## Using the JSURL2 library [JSURL2](https://github.com/wmertens/jsurl2) is a non-standard library that can compress URLs while still maintaining readability. This can be done with the following code: \`\`\`tsx import { Router, parseSearchWith, stringifySearchWith, } from '@tanstack/react-router' import { parse, stringify } from 'jsurl2' const router = createRouter({ // ... parseSearch: parseSearchWith(parse), stringifySearch: stringifySearchWith(stringify), }) \`\`\` So, if we were to turn the previous object into a search string using this configuration, it would look like this: \`\`\`txt ?page=1&sort=asc&filters=(author~tanner~min*_words~800)~ \`\`\` ## Using the Zipson library [Zipson](https://jgranstrom.github.io/zipson/) is a very user-friendly and performant JSON compression library (both in runtime performance and the resulting compression performance). To compress your search params with it (which requires escaping/unescaping and base64 encoding/decoding them as well), you can use the following code: \`\`\`tsx import { Router, parseSearchWith, stringifySearchWith, } from '@tanstack/react-router' import { stringify, parse } from 'zipson' const router = createRouter({ parseSearch: parseSearchWith((value) => parse(decodeFromBinary(value))), stringifySearch: stringifySearchWith((value) => encodeToBinary(stringify(value)), ), }) function decodeFromBinary(str: string): string { return decodeURIComponent( Array.prototype.map .call(atob(str), function (c) { return '%' + ('00' + c.charCodeAt(0).toString(16)).slice(-2) }) .join(''), ) } function encodeToBinary(str: string): string { return btoa( encodeURIComponent(str).replace(/%([0-9A-F]{2})/g, function (match, p1) { return String.fromCharCode(parseInt(p1, 16)) }), ) } \`\`\` > [⚠️ Why does this snippet not use atob/btoa?](#safe-binary-encodingdecoding) So, if we were to turn the previous object into a search string using this configuration, it would look like this: \`\`\`txt ?page=1&sort=asc&filters=JTdCJUMyJUE4YXV0aG9yJUMyJUE4JUMyJUE4dGFubmVyJUMyJUE4JUMyJUE4bWluX3dvcmRzJUMyJUE4JUMyJUEyQ3UlN0Q%3D \`\`\` <hr> ### Safe Binary Encoding/Decoding In the browser, the \`atob\` and \`btoa\` functions are not guaranteed to work properly with non-UTF8 characters. We recommend using these encoding/decoding utilities instead: To encode from a string to a binary string: \`\`\`typescript export function encodeToBinary(str: string): string { return btoa( encodeURIComponent(str).replace(/%([0-9A-F]{2})/g, function (match, p1) { return String.fromCharCode(parseInt(p1, 16)) }), ) } \`\`\` To decode from a binary string to a string: \`\`\`typescript export function decodeFromBinary(str: string): string { return decodeURIComponent( Array.prototype.map .call(atob(str), function (c) { return '%' + ('00' + c.charCodeAt(0).toString(16)).slice(-2) }) .join(''), ) } \`\`\` # Data Loading Data loading is a common concern for web applications and is related to routing. When loading a page for your app, it's ideal if all of the page's async requirements are fetched and fulfilled as early as possible, in parallel. The router is the best place to coordinate these async dependencies as it's usually the only place in your app that knows where users are headed before content is rendered. You may be familiar with \`getServerSideProps\` from Next.js or \`loader\`s from Remix/React-Router. TanStack Router has similar functionality to preload/load assets on a per-route basis in parallel allowing it to render as quickly as possible as it fetches via suspense. Beyond these normal expectations of a router, TanStack Router goes above and beyond and provides **built-in SWR Caching**, a long-term in-memory caching layer for route loaders. This means that you can use TanStack Router to both preload data for your routes so they load instantaneously or temporarily cache route data for previously visited routes to use again later. ## The route loading lifecycle Every time a URL/history update is detected, the router executes the following sequence: - Route Matching (Top-Down) - \`route.params.parse\` - \`route.validateSearch\` - Route Pre-Loading (Serial) - \`route.beforeLoad\` - \`route.onError\` - \`route.errorComponent\` / \`parentRoute.errorComponent\` / \`router.defaultErrorComponent\` - Route Loading (Parallel) - \`route.component.preload?\` - \`route.loader\` - \`route.pendingComponent\` (Optional) - \`route.component\` - \`route.onError\` - \`route.errorComponent\` / \`parentRoute.errorComponent\` / \`router.defaultErrorComponent\` ## To Router Cache or not to Router Cache? There is a high possibility that TanStack's router cache will be a good fit for most smaller to medium size applications, but it's important to understand the tradeoffs of using it vs a more robust caching solution like TanStack Query: TanStack Router Cache Pros: - Built-in, easy to use, no extra dependencies - Handles deduping, preloading, loading, stale-while-revalidate, background refetching on a per-route basis - Coarse invalidation (invalidate all routes and cache at once) - Automatic garbage collection - Works great for apps that share little data between routes - "Just works" for SSR TanStack Router Cache Cons: - No persistence adapters/model - No shared caching/deduping between routes - No built-in mutation APIs (a basic \`useMutation\` hook is provided in many examples that may be sufficient for many use cases) - No built-in cache-level optimistic update APIs (you can still use ephemeral state from something like a \`useMutation\` hook to achieve this at the component level) > [!TIP] > If you know right away that you'd like to or need to use something more robust like TanStack Query, skip to the [External Data Loading](../external-data-loading.md) guide. ## Using the Router Cache The router cache is built-in and is as easy as returning data from any route's \`loader\` function. Let's learn how! ## Route \`loader\`s Route \`loader\` functions are called when a route match is loaded. They are called with a single parameter which is an object containing many helpful properties. We'll go over those in a bit, but first, let's look at an example of a route \`loader\` function: \`\`\`tsx // routes/posts.tsx export const Route = createFileRoute('/posts')({ loader: () => fetchPosts(), }) \`\`\` ## \`loader\` Parameters The \`loader\` function receives a single object wi