by Tanner Linsley on Jun 03, 2025.

Search params have been historically treated like second-class state. They're global, serializable, and shareable — but in most apps, they’re still hacked together with string parsing, loose conventions, and brittle utils.
Even something simple, like validating a sort param, quickly turns verbose:
const schema = z.object({
  sort: z.enum(['asc', 'desc']),
})
const raw = Object.fromEntries(new URLSearchParams(location.href))
const result = schema.safeParse(raw)
if (!result.success) {
  // fallback, redirect, or show error
}
const schema = z.object({
  sort: z.enum(['asc', 'desc']),
})
const raw = Object.fromEntries(new URLSearchParams(location.href))
const result = schema.safeParse(raw)
if (!result.success) {
  // fallback, redirect, or show error
}
This works, but it’s manual and repetitive. There’s no inference, no connection to the route itself, and it falls apart the moment you want to add more types, defaults, transformations, or structure.
Even worse, URLSearchParams is string-only. It doesn’t support nested JSON, arrays (beyond naive comma-splitting), or type coercion. So unless your state is flat and simple, you’re going to hit walls fast.
That’s why we’re starting to see a rise in tools and proposals — things like Nuqs, Next.js RFCs, and userland patterns — aimed at making search params more type-safe and ergonomic. Most of these focus on improving reading from the URL.
But almost none of them solve the deeper, harder problem: writing search params, safely and atomically, with full awareness of routing context.
It’s one thing to read from the URL. It’s another to construct a valid, intentional URL from code.
The moment you try to do this:
<Link to="/dashboards/overview" search={{ sort: 'asc' }} />
<Link to="/dashboards/overview" search={{ sort: 'asc' }} />
You realize you have no idea what search params are valid for this route, or if you’re formatting them correctly. Even with a helper to stringify them, nothing is enforcing contracts between the caller and the route. There’s no type inference, no validation, and no guardrails.
This is where constraint becomes a feature.
Without explicitly declaring search param schemas in the route itself, you’re stuck guessing. You might validate in one place, but there’s nothing stopping another component from navigating with invalid, partial, or conflicting state.
Constraint is what makes coordination possible. It’s what allows non-local callers to participate safely.
Tools like Nuqs are a great example of how local abstractions can improve the ergonomics of search param handling. You get Zod-powered parsing, type inference, even writable APIs — all scoped to a specific component or hook.
They make it easier to read and write search params in isolation — and that’s valuable.
But they don’t solve the broader issue of coordination. You still end up with duplicated schemas, disjointed expectations, and no way to enforce consistency between routes or components. Defaults can conflict. Types can drift. And when routes evolve, nothing guarantees all the callers update with them.
That’s the real fragmentation problem — and fixing it requires bringing search param schemas into the routing layer itself.
TanStack Router solves this holistically.
Instead of spreading schema logic across your app, you define it inside the route itself:
export const Route = createFileRoute('/dashboards/overview')({
  validateSearch: z.object({
    sort: z.enum(['asc', 'desc']),
    filter: z.string().optional(),
  }),
})
export const Route = createFileRoute('/dashboards/overview')({
  validateSearch: z.object({
    sort: z.enum(['asc', 'desc']),
    filter: z.string().optional(),
  }),
})
This schema becomes the single source of truth. You get full inference, validation, and autocomplete everywhere:
<Link
  to="/dashboards/overview"
  search={{ sort: 'asc' }} // fully typed, fully validated
/>
<Link
  to="/dashboards/overview"
  search={{ sort: 'asc' }} // fully typed, fully validated
/>
Want to update just part of the search state? No problem:
navigate({
  search: (prev) => ({ ...prev, page: prev.page + 1 }),
})
navigate({
  search: (prev) => ({ ...prev, page: prev.page + 1 }),
})
It’s reducer-style, transactional, and integrates directly with the router’s reactivity model. Components only re-render when the specific search param they use changes — not every time the URL mutates.
When your search param logic lives in userland — scattered across hooks, utils, and helpers — it’s only a matter of time before you end up with conflicting schemas.
Maybe one component expects `sort: 'asc' | 'desc'`. Another adds a `filter`. A third assumes `sort: 'desc'` by default. None of them share a source of truth.
This leads to:
TanStack Router prevents this by tying schemas directly to your route definitions — hierarchically.
Parent routes can define shared search param validation. Child routes inherit that context, add to it, or extend it in type-safe ways. This makes it impossible to accidentally create overlapping, incompatible schemas in different parts of your app.
Here’s how this works in practice:
// routes/dashboard.tsx
export const Route = createFileRoute('/dashboard')({
  validateSearch: z.object({
    sort: z.enum(['asc', 'desc']).default('asc'),
  }),
})
// routes/dashboard.tsx
export const Route = createFileRoute('/dashboard')({
  validateSearch: z.object({
    sort: z.enum(['asc', 'desc']).default('asc'),
  }),
})
Then a child route can extend the schema safely:
// routes/dashboard/$dashboardId.tsx
export const Route = createFileRoute('/dashboard/$dashboardId')({
  validateSearch: z.object({
    filter: z.string().optional(),
    // ✅ \`sort\` is inherited automatically from the parent
  }),
})
// routes/dashboard/$dashboardId.tsx
export const Route = createFileRoute('/dashboard/$dashboardId')({
  validateSearch: z.object({
    filter: z.string().optional(),
    // ✅ \`sort\` is inherited automatically from the parent
  }),
})
When you match `/dashboard/123?sort=desc&filter=active`, the parent validates `sort`, the child validates `filter`, and everything works together seamlessly.
Try to redefine the required parent param in the child route to something entirely different? Type error.
validateSearch: z.object({
  // ❌ Type error: boolean does not extend 'asc' | 'desc' from parent
  sort: z.boolean(),
  filter: z.string().optional(),
})
validateSearch: z.object({
  // ❌ Type error: boolean does not extend 'asc' | 'desc' from parent
  sort: z.boolean(),
  filter: z.string().optional(),
})
This kind of enforcement makes nested routes composable and safe — a rare combo.
The magic here is that you don’t need to teach your team to follow conventions. The route owns the schema. Everyone just uses it. There’s no duplication. No drift. No silent bugs. No guessing.
When you bring validation, typing, and ownership into the router itself, you stop treating URLs like strings and start treating them like real state — because that’s what they are.
Most routing systems treat search params like an afterthought. Something you can read, maybe parse, maybe stringify, but rarely something you can actually trust.
TanStack Router flips that on its head. It makes search params a core part of the routing contract — validated, inferable, writable, and reactive.
Because if you’re not treating search params like state, you’re going to keep leaking it, breaking it, and working around it.
Better to treat it right from the start.
If you're intrigued by the possibilities of treating search params as first-class state, we invite you to try out TanStack Router. Experience the power of validated, inferable, and reactive search params in your routing logic.
