npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

@tunbudi06/inertia-route-helper

v2.0.2

Published

Powerful routing helper for Inertia.js v2 apps with Wayfinder/Ziggy - supports subfolder deployments, query parameters, and route validation

Readme

🚀 Inertia Route Helper

npm version License: MIT TypeScript

Powerful routing helper for Inertia.js v2 applications

Work seamlessly with Laravel Ziggy or Wayfinder routes, with full support for subfolder deployments, query parameters, and route validation.

FeaturesInstallationUsageAPI ReferenceExamples


✨ Features

  • 🔗 Absolute URL Generation - Automatically prepends your base URL to all routes
  • 📁 Subfolder Deployment Support - Perfect for apps deployed in subfolders
  • 🔍 Query Parameters - Build routes with query strings effortlessly
  • 🎯 Route Validation - Check if routes match the current path
  • 🎨 TypeScript First - Full type safety and IntelliSense support
  • Inertia.js v2 - Built for the latest Inertia.js version
  • 🌐 SSR Safe - Works perfectly with server-side rendering
  • 🪶 Lightweight - Minimal bundle size
  • ⚙️ Configurable - Customize behavior to fit your needs
  • 📦 Modular Architecture - One function per file for easy reading
  • 🔧 Separate Init Module - /init import for setup, main import for usage
  • Fully Tested - Comprehensive test coverage
  • 📚 Complete Documentation - Detailed API reference and examples

📖 Documentation


📦 Installation

npm install @tunbudi06/inertia-route-helper
yarn add @tunbudi06/inertia-route-helper
pnpm add @tunbudi06/inertia-route-helper

🚀 Quick Start

Installation

npm install @tunbudi06/inertia-route-helper

Setup

Just pass props - the helper automatically finds initialPage.props.baseUrl:

// resources/js/app.tsx (React) or resources/js/app.ts (Vue/Svelte)
import { createInertiaApp } from '@inertiajs/react'; // or vue3/svelte
import { initRouteHelper } from '@tunbudi06/inertia-route-helper/init';

createInertiaApp({
    resolve: (name) => {
        // Your page resolver
    },
    setup({ el, App, props }) {
        // Just pass props - super simple!
        initRouteHelper(props);
        
        // Mount your app...
    },
});

💡 New in v2.0: Import initialization functions from /init for cleaner separation. Route helper functions from main import.

Laravel Setup (Required)

Share your base URL with Inertia:

// app/Http/Middleware/HandleInertiaRequests.php

public function share(Request $request): array
{
    return array_merge(parent::share($request), [
        'baseUrl' => rtrim(config('app.url'), '/'),
    ]);
}

Basic Usage

import { route, routeUrl, buildRoute } from '@tunbudi06/inertia-route-helper';
import { dashboard, profile } from '@/routes'; // Your Ziggy/Wayfinder routes

// Get the full route object with absolute URL
const dashboardRoute = route(dashboard());
console.log(dashboardRoute.url); // https://example.com/dashboard

// Get just the URL string
const profileUrl = routeUrl(profile({ id: 123 }));
console.log(profileUrl); // https://example.com/profile/123

// Build route with query parameters
const searchUrl = buildRoute('/search', {
  query: { q: 'inertia', page: 2 },
  fragment: 'results'
});
console.log(searchUrl); // https://example.com/search?q=inertia&page=2#results

📚 API Reference

Initialization

initRouteHelper(data)

Initialize the route helper with Inertia props. Automatically extracts baseUrl from various data structures.

💡 Import from /init: This function is available from @tunbudi06/inertia-route-helper/init for better tree shaking.

Parameters:

  • data - Can be props from createInertiaApp, Svelte $page store, or any object containing baseUrl

Supports:

  • props.initialPage.props.baseUrl (React/Vue createInertiaApp)
  • page.props.baseUrl (Svelte $page store)
  • data.baseUrl (direct object)
import { initRouteHelper } from '@tunbudi06/inertia-route-helper/init';

// React/Vue - Pass props from createInertiaApp
createInertiaApp({
  setup({ el, App, props }) {
    initRouteHelper(props);
  }
});

// Svelte - Can use props or $page
import { page } from '@inertiajs/svelte';
initRouteHelper(props); // or initRouteHelper($page)

Core Route Functions

route(routeDefinition)

Transform a route definition to include absolute URL with base URL prepended.

Parameters:

  • routeDefinition - Route object with url property (from Ziggy/Wayfinder)

Returns: Route object with absolute URL

import { route } from '@tunbudi06/inertia-route-helper';

const dashboardRoute = route({ url: '/dashboard', method: 'GET' });
// { url: 'https://example.com/dashboard', method: 'GET' }

routeUrl(routeDefinition)

Get just the URL string from a route definition.

Parameters:

  • routeDefinition - Route object with url property

Returns: Absolute URL string

import { routeUrl } from '@tunbudi06/inertia-route-helper';
import { users } from '@/routes';

const url = routeUrl(users.show({ id: 123 }));
// 'https://example.com/users/123'

buildRoute(path, options?)

Build a complete URL with query parameters and fragment.

Parameters:

  • path - Base path (e.g., '/search')
  • options - Optional configuration
    • query? - Query parameters object
    • fragment? - Fragment/hash identifier
    • absolute? - Whether to include base URL (default: true)

Returns: Complete URL string

import { buildRoute } from '@tunbudi06/inertia-route-helper';

// With query parameters
const url = buildRoute('/search', {
  query: { q: 'test', page: 2 },
  fragment: 'results'
});
// 'https://example.com/search?q=test&page=2#results'

// Relative URL
const relativeUrl = buildRoute('/api/users', { absolute: false });
// '/api/users'

// With array parameters
const filtersUrl = buildRoute('/products', {
  query: { tags: ['new', 'featured'], colors: ['red', 'blue'] }
});
// 'https://example.com/products?tags[]=new&tags[]=featured&colors[]=red&colors[]=blue'

makeRoute(definition)

Build route from a RouteDefinition object (convenience wrapper).

Parameters:

  • definition - Route definition object with url, query, and fragment

Returns: Complete URL string

import { makeRoute } from '@tunbudi06/inertia-route-helper';

const url = makeRoute({
  url: '/posts',
  query: { status: 'published' },
  fragment: 'list'
});
// 'https://example.com/posts?status=published#list'

Navigation Helpers

isCurrentRoute(path, useHost?, exact?)

Check if a path matches the current browser location.

Parameters:

  • path - Path to check (e.g., '/dashboard')
  • useHost? - Whether to include the baseUrl or not (default: false)
  • exact? - Whether to match exactly (default: false for partial match)

Returns: true if path matches current location

import { isCurrentRoute } from '@tunbudi06/inertia-route-helper';

// Current URL: https://example.com/dashboard/settings

isCurrentRoute('/dashboard');                      // true (partial match)
isCurrentRoute('/dashboard', false, true);         // false (not exact)
isCurrentRoute('/dashboard/settings', false, true); // true (exact match)

// With useHost=true (check against full URL)
isCurrentRoute('/dashboard', true);                               // true
isCurrentRoute('https://example.com/dashboard', true);            // true
isCurrentRoute('https://example.com/dashboard/settings', true, true); // true (exact)
isCurrentRoute('https://example.com/dashboard', true, true);      // false (not exact)

// Use in components for active navigation
const isActive = isCurrentRoute('/dashboard');

currentPath()

Get the current pathname from browser location (SSR-safe).

Returns: Current pathname or empty string on server

import { currentPath } from '@tunbudi06/inertia-route-helper';

const path = currentPath();
// '/dashboard/settings'

currentUrl()

Get the complete current URL from browser location (SSR-safe).

Returns: Full URL or empty string on server

import { currentUrl } from '@tunbudi06/inertia-route-helper';

const url = currentUrl();
// 'https://example.com/dashboard/settings?tab=profile#section'

Configuration

configure(options)

Configure route helper behavior globally.

Parameters:

  • options - Configuration object
    • baseUrl? - Override base URL
    • trailingSlash? - Add trailing slash to URLs (default: false)
    • validateRoutes? - Enable route validation (default: false)
import { configure } from '@tunbudi06/inertia-route-helper';

configure({
  baseUrl: 'https://custom-domain.com',
  trailingSlash: true,
  validateRoutes: false
});

Advanced Functions

setBaseUrl(url)

Manually set the base URL (for testing or advanced use cases).

Parameters:

  • url - Base URL string
import { setBaseUrl } from '@tunbudi06/inertia-route-helper';

setBaseUrl('https://example.com');

getBaseUrl()

Get the current base URL.

Returns: Current base URL string

import { getBaseUrl } from '@tunbudi06/inertia-route-helper';

const baseUrl = getBaseUrl();
// 'https://example.com'

📖 Usage Examples

Working with Ziggy Routes

import { route, routeUrl } from '@tunbudi06/inertia-route-helper';
import { users, posts } from '@/routes';

// Simple route
const usersUrl = routeUrl(users());
// https://example.com/users

// Route with parameters
const userUrl = routeUrl(users.show({ user: 42 }));
// https://example.com/users/42

// Complex route with parameters
const postUrl = routeUrl(posts.edit({ post: 10, comment: 5 }));
// https://example.com/posts/10/comments/5/edit

Building Routes with Query Parameters

import { buildRoute, makeRoute } from '@tunbudi06/inertia-route-helper';

// Using buildRoute
const productsUrl = buildRoute('/products', {
  query: {
    category: 'electronics',
    sort: 'price',
    order: 'desc',
    page: 2
  }
});
// https://example.com/products?category=electronics&sort=price&order=desc&page=2

// With array parameters
const filtersUrl = buildRoute('/api/items', {
  query: {
    tags: ['featured', 'new', 'sale'],
    price: [10, 100]
  }
});
// https://example.com/api/items?tags[]=featured&tags[]=new&tags[]=sale&price[]=10&price[]=100

// Using makeRoute with RouteDefinition
const searchUrl = makeRoute({
  url: '/search',
  query: { q: 'inertia' },
  fragment: 'results'
});
// https://example.com/search?q=inertia#results

Route Navigation & Validation

import { isCurrentRoute, currentPath, currentUrl } from '@tunbudi06/inertia-route-helper';

// Check if a route is active (for navigation highlighting)
const isActive = isCurrentRoute('/dashboard'); // Partial match
const isExactActive = isCurrentRoute('/dashboard', false, true); // Exact match
const isActiveFullUrl = isCurrentRoute('https://example.com/dashboard', true); // Using full URL

// Get current path
const path = currentPath();
console.log(path); // /dashboard/settings

// Get current full URL
const url = currentUrl();
console.log(url); // https://example.com/dashboard/settings

Configuration

import { configure } from '@tunbudi06/inertia-route-helper';

// Configure the route helper
configure({
  baseUrl: 'https://custom-domain.com', // Override base URL
  trailingSlash: true, // Add trailing slashes to URLs
  validateRoutes: true // Enable route validation (future feature)
});

Manual Base URL Management

import { setBaseUrl, getBaseUrl } from '@tunbudi06/inertia-route-helper';

// Manually set base URL (useful for testing or special cases)
setBaseUrl('https://staging.example.com');

// Get the current base URL
const base = getBaseUrl();
console.log(base); // https://staging.example.com

🎯 API Reference

Core Functions

route<T>(routeDefinition: T): T

Wraps a route definition and adds the absolute URL.

const userRoute = route(users.show({ id: 1 }));

routeUrl<T>(routeDefinition: T): string

Returns just the absolute URL string for a route.

const url = routeUrl(dashboard());

buildRoute(path: string, options?): string

Build a complete URL with query parameters and fragment.

const url = buildRoute('/search', {
  query: { q: 'hello' },
  fragment: 'top',
  absolute: true // default
});

makeRoute(definition: RouteDefinition): string

Enhanced route builder with full feature support.

const url = makeRoute({
  url: '/products',
  query: { category: 'books' },
  fragment: 'featured'
});

Navigation Functions

isCurrentRoute(path: string, useHost?: boolean, exact?: boolean): boolean

Check if a route matches the current path.

const isActive = isCurrentRoute('/dashboard'); // Partial match (pathname only)
const isExact = isCurrentRoute('/dashboard', false, true); // Exact match (pathname only)
const isActiveFullUrl = isCurrentRoute('https://example.com/dashboard', true); // Using full URL

currentPath(): string

Get the current route path (relative).

const path = currentPath(); // '/dashboard/profile'

currentUrl(): string

Get the current full URL.

const url = currentUrl(); // 'https://example.com/dashboard/profile'

Configuration Functions

configure(options: RouteHelperConfig): void

Configure the route helper behavior.

configure({
  baseUrl: 'https://example.com',
  trailingSlash: true,
  validateRoutes: false
});

setBaseUrl(url: string): void

Manually set the base URL.

setBaseUrl('https://api.example.com');

getBaseUrl(): string

Get the current base URL.

const base = getBaseUrl();

💡 Examples

React Example

import { Link } from '@inertiajs/react';
import { routeUrl, isCurrentRoute } from '@tunbudi06/inertia-route-helper';
import { dashboard, profile, settings } from '@/routes';

export function Navigation() {
  return (
    <nav>
      <Link 
        href={routeUrl(dashboard())}
        className={isCurrentRoute('/dashboard') ? 'active' : ''}
      >
        Dashboard
      </Link>
      
      <Link 
        href={routeUrl(profile({ id: userId }))}
        className={isCurrentRoute(`/profile/${userId}`, false, true) ? 'active' : ''}
      >
        Profile
      </Link>
      
      <Link href={routeUrl(settings())}>
        Settings
      </Link>
    </nav>
  );
}

Vue Example

<script setup lang="ts">
import { Link } from '@inertiajs/vue3';
import { routeUrl, isCurrentRoute, buildRoute } from '@tunbudi06/inertia-route-helper';
import { posts, search } from '@/routes';

const searchQuery = ref('');

const handleSearch = () => {
  const url = buildRoute('/search', {
    query: { q: searchQuery.value, type: 'posts' }
  });
  router.visit(url);
};
</script>

<template>
  <div>
    <Link 
      :href="routeUrl(posts())" 
      :class="{ active: isCurrentRoute('/posts') }"
    >
      All Posts
    </Link>
    
    <form @submit.prevent="handleSearch">
      <input v-model="searchQuery" placeholder="Search..." />
      <button type="submit">Search</button>
    </form>
  </div>
</template>

Svelte Example

<script lang="ts">
  import { router } from '@inertiajs/svelte';
  import { routeUrl, buildRoute, isCurrentRoute } from '@tunbudi06/inertia-route-helper';
  import { products, categories } from '@/routes';
  
  let selectedCategory = 'all';
  
  function filterProducts(category: string) {
    const url = buildRoute('/products', {
      query: { category, sort: 'popular' }
    });
    router.visit(url);
  }
</script>

<nav>
  <a 
    href={routeUrl(products())} 
    class:active={isCurrentRoute('/products')}
  >
    Products
  </a>
  
  <button on:click={() => filterProducts('electronics')}>
    Electronics
  </button>
</nav>

🌐 Subfolder Deployments

This package is perfect for Laravel apps deployed in subfolders:

// .env
APP_URL=https://example.com/my-app

// The package automatically handles this!
import { routeUrl } from '@tunbudi06/inertia-route-helper';
import { dashboard } from '@/routes';

const url = routeUrl(dashboard());
// Correctly returns: https://example.com/my-app/dashboard
// Not just: https://example.com/dashboard

🔧 TypeScript Support

Full TypeScript support with comprehensive type definitions:

import type { 
  RouteDefinition, 
  QueryParams, 
  RouteHelperConfig 
} from '@tunbudi06/inertia-route-helper';

const route: RouteDefinition = {
  url: '/users',
  query: { page: 1, limit: 10 },
  fragment: 'list'
};

const query: QueryParams = {
  search: 'hello',
  filters: ['active', 'verified'],
  page: 1
};

const config: RouteHelperConfig = {
  baseUrl: 'https://example.com',
  trailingSlash: false
};

🤝 Contributing

Contributions are welcome! Please feel free to submit a Pull Request.

  1. Fork the repository
  2. Create your feature branch (git checkout -b feature/amazing-feature)
  3. Commit your changes (git commit -m 'Add some amazing feature')
  4. Push to the branch (git push origin feature/amazing-feature)
  5. Open a Pull Request

📝 License

MIT © TUNBudi06


🙏 Acknowledgments


⬆ back to top

Made with ❤️ by TUNBudi06