π Getting Started with Nuxt I18n Micro β
Welcome to Nuxt I18n Micro! This guide will help you get up and running with our high-performance internationalization module for Nuxt.js.
π Overview β
Nuxt I18n Micro is a lightweight internationalization module for Nuxt that delivers superior performance compared to traditional solutions. It's designed to reduce build times, memory usage, and server load, making it ideal for high-traffic and large projects.
π€ Why Choose Nuxt I18n Micro? β
Here are some key benefits of using Nuxt I18n Micro:
- π High Performance: Significantly reduces build times and memory consumption
- π¦ Compact Size: Has minimal impact on your app's bundle size
- βοΈ Efficiency: Optimized for large-scale applications with a focus on memory consumption and server load
- π οΈ Easy Setup: Simple configuration with sensible defaults
- π§ Flexible: Extensive customization options for complex use cases
- π Well Documented: Comprehensive documentation and examples
π Quick Start β
Installation β
Install the module in your Nuxt application:
npm install nuxt-i18n-microyarn add nuxt-i18n-micropnpm add nuxt-i18n-microbun add nuxt-i18n-microBasic Configuration β
Add the module to your nuxt.config.ts:
export default defineNuxtConfig({
modules: [
'nuxt-i18n-micro',
],
i18n: {
locales: [
{ code: 'en', iso: 'en-US', dir: 'ltr' },
{ code: 'fr', iso: 'fr-FR', dir: 'ltr' },
{ code: 'ar', iso: 'ar-SA', dir: 'rtl' },
],
defaultLocale: 'en',
translationDir: 'locales',
},
})Folder Structure β
Your translation files will be automatically generated when you run the application. Here is the full project structure:
- my-nuxt-appNuxt project with i18n-micro
- nuxt.config.tsmodule config
- package.json
- pagesyour Nuxt pages
- index.vuehome page
- about.vueabout page
- articlesdynamic route
- [id].vue
- components2 files
- Header.vue
- Footer.vue
- localestranslation files
- en.jsonroot-level translations (shared across all pages)
- fr.jsonroot-level translations (shared across all pages)
- ar.jsonroot-level translations (shared across all pages)
- pagespage-specific translations
- index3 filesmatches pages/index.vue
- en.json
- fr.json
- ar.json
- about3 filesmatches pages/about.vue
- en.json
- fr.json
- ar.json
- articles-id3 filesmatches pages/articles/[id].vue
- en.json
- fr.json
- ar.json
- server1 folder, 1 file
- api1 file
- example.ts
- tsconfig.json
Folder Structure Explanation
- Root-Level Files (
locales/en.json, etc.) β translations shared across the entire app (menus, footer, common UI), merged into every page at build time - Page-Specific Files (
locales/pages/<route>/<locale>.json) β translations unique to specific pages, loaded only when the page is visited - Dynamic Routes β
pages/articles/[id].vuemaps tolocales/pages/articles-id/(brackets replaced with dashes) - Auto-Generation β all translation files are automatically created when missing during
nuxt dev
Basic Usage β
Use translations in your components:
<template>
<div>
<h1>{{ $t('welcome') }}</h1>
<p>{{ $t('description', { name: 'World' }) }}</p>
<div>
<button
v-for="locale in $getLocales()"
:key="locale.code"
@click="$switchLocale(locale.code)"
>
{{ locale.code }}
</button>
</div>
</div>
</template>
<script setup>
import { useI18n } from '#imports'
const { $t, $getLocales, $switchLocale } = useI18n()
</script>βοΈ Configuration Options β
The module provides extensive configuration options to customize your internationalization setup.
π Core Locale Settings β
locales β
Defines the locales available in your application.
Type: Locale[]
Each locale object supports:
| Property | Type | Required | Description |
|---|---|---|---|
code | string | β | Unique identifier (e.g., 'en') |
iso | string | β | ISO code (e.g., 'en-US') |
dir | string | β | Text direction ('ltr' or 'rtl') |
disabled | boolean | β | Disable in dropdown if true |
baseUrl | string | β | Base URL for locale-specific domains |
baseDefault | boolean | β | Remove locale prefix from URLs |
fallbackLocale | string | β | Per-locale fallback (overrides global) |
[key: string] | unknown | β | Any custom properties (see below) |
Example:
locales: [
{ code: 'en', iso: 'en-US', dir: 'ltr' },
{ code: 'fr', iso: 'fr-FR', dir: 'ltr' },
{ code: 'ar', iso: 'ar-SA', dir: 'rtl', disabled: true },
{
code: 'de',
iso: 'de-DE',
dir: 'ltr',
baseUrl: 'https://de.example.com',
baseDefault: true
},
]BaseUrl Considerations
Using baseUrl can lead to duplication of internal routes as external links, complicating routing and maintenance. Consider creating external links directly for specific locales instead.
Custom Locale Properties β
You can add any custom properties to locale objects. They are passed through to the runtime and accessible via $getLocales():
locales: [
{ code: 'en', iso: 'en-US', flag: 'π¬π§', currency: 'GBP' },
{ code: 'de', iso: 'de-DE', flag: 'π©πͺ', currency: 'EUR' },
{ code: 'ru', iso: 'ru-RU', flag: 'π·πΊ', currency: 'RUB' },
]Access them in components:
<template>
<ul>
<li v-for="locale in $getLocales()" :key="locale.code">
{{ locale.flag }} {{ locale.displayName }} ({{ locale.currency }})
</li>
</ul>
</template>By default, custom properties are typed as unknown. To get full TypeScript support, use module augmentation. Create a declaration file (e.g., app/i18n.d.ts or any .d.ts included in your tsconfig):
// app/i18n.d.ts
declare module '@i18n-micro/types' {
interface Locale {
flag?: string
currency?: string
}
}After this, all custom properties are fully typed:
const locales = $getLocales()
locales[0].flag // string | undefined β
locales[0].currency // string | undefined β
TIP
Module augmentation works because Locale is an interface (not a type), so TypeScript merges your declarations with the original definition. This applies everywhere β $getLocales(), useI18n(), server middleware, etc.
defaultLocale β
Sets the default locale when no specific locale is selected.
Type: string
Default: 'en'
defaultLocale: 'en'strategy β
Defines how locale prefixes are handled in routes.
Type: string
Default: 'prefix_except_default'
strategy: 'no_prefix'
// Routes: /about, /contact
// Locale detection via browser/cookiesstrategy: 'prefix_except_default'
// Default locale: /about, /contact
// Other locales: /fr/about, /de/contactstrategy: 'prefix'
// All locales: /en/about, /fr/about, /de/aboutstrategy: 'prefix_and_default'
// Both prefixed and non-prefixed versions for default localeπ Translation Management β
translationDir β
Specifies the directory for translation files.
Type: string
Default: 'locales'
translationDir: 'i18n' // Custom directorydisablePageLocales β
Disables page-specific translations, using only root-level files.
Type: boolean
Default: false
When enabled, only root-level translation files are used:
- locales3 files
- en.json
- fr.json
- ar.json
fallbackLocale β
Specifies a fallback locale for missing translations.
Type: string | undefined
Default: undefined
{
locales: [
{ code: 'en', iso: 'en-US', dir: 'ltr' },
{ code: 'fr', iso: 'fr-FR', dir: 'ltr', fallbackLocale: 'es' },
{ code: 'es', iso: 'es-ES', dir: 'ltr' }
],
defaultLocale: 'en',
fallbackLocale: 'en' // Global fallback
}π SEO & Meta Tags β
meta β
Enables automatic SEO meta tag generation.
Type: boolean
Default: true
meta: true // Generate alternate links, canonical URLs, etc.metaBaseUrl β
Sets the base URL for SEO meta tags (canonical, og:url, hreflang).
Type: string | undefined
Default: undefined
undefined(or omitted) β the base URL is resolved dynamically from the incoming request on the server (useRequestURL().origin, respectsX-Forwarded-Host/X-Forwarded-Protoproxy headers) and fromwindow.location.originon the client. Ideal for multi-domain deployments where the same application serves multiple hostnames.- Any other string β used as a static base URL.
// Dynamic β automatically uses the current request hostname (recommended for multi-domain)
// Simply omit metaBaseUrl or set it to undefined
// Static β always uses the specified URL
metaBaseUrl: 'https://example.com'canonicalQueryWhitelist β
Specifies which query parameters to preserve in canonical URLs.
Type: string[]
Default: ['page', 'sort', 'filter', 'search', 'q', 'query', 'tag']
canonicalQueryWhitelist: ['page', 'sort', 'category']π Advanced Features β
globalLocaleRoutes β
Defines custom localized routes for specific pages.
Type: Record<string, Record<string, string> | false>
globalLocaleRoutes: {
'about': {
en: '/about-us',
fr: '/a-propos',
de: '/uber-uns'
},
'unlocalized': false // Disable localization entirely
}routesLocaleLinks β
Creates links between pages' locale files to share translations.
Type: Record<string, string>
routesLocaleLinks: {
'products-id': 'products',
'about-us': 'about'
}customRegexMatcher β
Improves performance for applications with many locales. Instead of checking each locale code one by one, the module uses a single regex to detect whether the first path segment is a locale. The pattern matches the entire first path segment (anchors ^ and $ are applied automatically).
Type: string | RegExp
Default: undefined (auto-generated from locale codes)
Must match ALL locale codes
At build time, the module validates that every locale code in your locales list matches the customRegexMatcher pattern. If any locale code does not match, the build will fail with the error:
Nuxt-i18n-micro: Some locale codes does not match customRegexMatcher
Always verify your regex against all your locale codes before deploying.
// β
Correct: matches 'en-us', 'de-de', 'fr-fr'
customRegexMatcher: '[a-z]{2}-[a-z]{2}'
// β
Correct: matches 'en', 'de', 'fr', 'zh'
customRegexMatcher: '[a-z]{2}'
// β Wrong: won't match 'zh-Hant' (uppercase letter)
// This will FAIL the build if 'zh-Hant' is in your locales list
customRegexMatcher: '[a-z]{2}-[a-z]{2}'π οΈ Development Options β
debug β
Enables logging and debugging information.
Type: boolean
Default: false
debug: truedisableWatcher β
Disables automatic creation of locale files during development.
Type: boolean
Default: false
disableWatcher: truemissingWarn β
Controls whether to show console warnings when translation keys are not found.
Type: boolean
Default: true
missingWarn: false // Disable warnings for missing translationsCustom Missing Handler
You can set a custom handler for missing translations using setMissingHandler method. This allows you to send missing translation errors to error tracking services like Sentry.
π§ Plugin Control β
define β
Enables the define plugin for runtime configuration.
Type: boolean
Default: true
define: false // Disables $defineI18nRouteredirects β
Enables automatic locale-based redirects. When true, visitors are redirected to their preferred locale (detected from cookie, Accept-Language header, or the default) on the first visit. When false, only the redirect logic is disabled β the plugin still handles 404 checks and cookie synchronization.
Type: boolean
Default: true
redirects: false // Disable automatic locale redirection (404 checks and cookie sync remain active)plugin β
Enables the main plugin.
Type: boolean
Default: true
plugin: falsehooks β
Enables hooks integration.
Type: boolean
Default: true
hooks: falsecomponents β
Registers the built-in i18n components (<i18n-link>, <i18n-switcher>, <i18n-t>, <i18n-group>). Set to false to disable automatic component registration β useful if you don't use the built-in components and want to reduce the module footprint.
Type: boolean
Default: true
components: false // Disable built-in i18n componentsπ Language Detection β
autoDetectLanguage β
Automatically detects user's preferred language.
Type: boolean
Default: true
autoDetectLanguage: falseautoDetectPath β
Specifies routes where locale detection is active.
Type: string
Default: "/"
autoDetectPath: "/" // Only on home route
autoDetectPath: "*" // On all routes (use with caution)π’ Customization β
plural β
Custom function for handling pluralization, used by $tc().
Type: PluralFunc β (key: string, count: number, params: Record<string, string | number | boolean>, locale: string, t: Getter) => string | null
Default: Built-in function that splits the translation value by | and picks the form by index.
How it works β
Translations use | to separate plural forms:
{
"apples": "no apples | one apple | {count} apples"
}The $tc('apples', count) call invokes the plural function, which:
- Calls
t(key)to get the raw translation string (e.g."no apples | one apple | {count} apples") - Splits by
|to get the forms array - Selects a form based on
count - Replaces
{count}with the actual number
The default implementation selects by index: count < forms.length ? forms[count] : forms[last]. This works for simple cases (0 β first form, 1 β second, 2+ β last).
Custom plural function β
For languages with complex pluralization rules (e.g., Russian, Arabic, Polish), override the plural option.
Serialization requirement
The function is serialized via .toString() and injected into a virtual module at build time. This means:
- Must use
functionkeyword β NOT shorthand method syntax, NOT arrow functions with external references - No imports or external references β the function must be fully self-contained
- No TypeScript-only syntax that doesn't survive
.toString()(type annotations are fine innuxt.config.tsbecause Nuxt strips them)
Example: Russian pluralization (4 forms: zero, one, few, many):
// nuxt.config.ts
export default defineNuxtConfig({
i18n: {
plural: function (key, count, _params, _locale, t) {
const translation = t(key)
if (!translation) return key
const forms = translation.toString().split('|').map(function (s) { return s.trim() })
let idx
if (count === 0) {
idx = 0
} else {
const mod10 = count % 10
const mod100 = count % 100
if (mod10 === 1 && mod100 !== 11) {
idx = 1
} else if (mod10 >= 2 && mod10 <= 4 && (mod100 < 10 || mod100 >= 20)) {
idx = 2
} else {
idx = 3
}
}
if (idx >= forms.length) idx = forms.length - 1
return (forms[idx] || '').replace('{count}', String(count))
},
},
})With this translation:
{
"apples": "Π½Π΅Ρ ΡΠ±Π»ΠΎΠΊ | {count} ΡΠ±Π»ΠΎΠΊΠΎ | {count} ΡΠ±Π»ΠΎΠΊΠ° | {count} ΡΠ±Π»ΠΎΠΊ"
}Results:
$tc('apples', 0)β"Π½Π΅Ρ ΡΠ±Π»ΠΎΠΊ"$tc('apples', 1)β"1 ΡΠ±Π»ΠΎΠΊΠΎ"$tc('apples', 3)β"3 ΡΠ±Π»ΠΎΠΊΠ°"$tc('apples', 5)β"5 ΡΠ±Π»ΠΎΠΊ"$tc('apples', 21)β"21 ΡΠ±Π»ΠΎΠΊΠΎ"
Example: Simple English (default behavior):
// This is the built-in default β you don't need to set it explicitly
plural: function (key, count, params, _locale, t) {
const translation = t(key, params)
if (!translation) return null
const forms = translation.toString().split('|')
if (forms.length === 0) return null
const form = count < forms.length ? forms[count] : forms[forms.length - 1]
if (!form) return null
return form.trim().replace('{count}', count.toString())
}Per-locale pluralization β
If different locales need different plural rules, use the locale parameter:
plural: function (key, count, _params, locale, t) {
const translation = t(key)
if (!translation) return key
const forms = translation.toString().split('|').map(function (s) { return s.trim() })
// Russian/Ukrainian plural rules
if (locale === 'ru' || locale === 'uk') {
let idx
if (count === 0) {
idx = 0
} else {
const mod10 = count % 10
const mod100 = count % 100
if (mod10 === 1 && mod100 !== 11) idx = 1
else if (mod10 >= 2 && mod10 <= 4 && (mod100 < 10 || mod100 >= 20)) idx = 2
else idx = 3
}
if (idx >= forms.length) idx = forms.length - 1
return (forms[idx] || '').replace('{count}', String(count))
}
// Default: English-like (index-based)
const idx = count < forms.length ? count : forms.length - 1
return (forms[idx] || '').replace('{count}', String(count))
}localeCookie β
Specifies the cookie name for storing user's locale. This enables locale persistence across page reloads and browser sessions.
Type: string | null
Default: null (but see note below about no_prefix)
Effective default depends on strategy
While the configured default is null (disabled), the module automatically overrides this to 'user-locale' when using strategy: 'no_prefix'. This means:
no_prefix: Cookie is always enabled ('user-locale'), even if you don't set it explicitly. This is required because the URL contains no locale information.- All other strategies: Cookie is
null(disabled) unless you set it explicitly.
If you set localeCookie explicitly, your value is always used regardless of strategy.
Required for redirects with prefix strategies
When using prefix strategies (prefix, prefix_except_default, prefix_and_default) with redirects: true (the default), you must set localeCookie for redirect behavior to work correctly. Without a cookie, the redirect plugin cannot remember the user's locale preference across page reloads, and redirects will only work based on Accept-Language header (if autoDetectLanguage: true) or defaultLocale.
// Enable cookie (recommended when using redirects with prefix strategies)
localeCookie: 'user-locale'
// Enable cookie with custom name
localeCookie: 'my-locale-cookie'
// Disable cookie (default) - locale won't persist across reloads
localeCookie: nullWhat localeCookie enables:
- Persists user's locale preference across page reloads
- Remembers locale when user returns to your site
- Required for
no_prefixstrategy to work correctly - Required for redirect behavior in prefix strategies (when
redirects: true)
apiBaseUrl β
Defines the path prefix for fetching cached translations. This is a path prefix only, not a full URL.
Type: string
Default: '_locales'
Environment Variable: NUXT_I18N_APP_BASE_URL
apiBaseUrl: 'api/_locales'The translations will be fetched from /{apiBaseUrl}/{routeName}/{locale}/data.json (e.g., /api/_locales/index/en/data.json).
apiBaseClientHost β
Defines the base host URL for fetching translations from a CDN or external server on the client side. Use this when translations are hosted on a different domain and need to be fetched from the browser.
Type: string | undefined
Default: undefined
Environment Variable: NUXT_I18N_APP_BASE_CLIENT_HOST
apiBaseClientHost: 'https://cdn.example.com'When apiBaseClientHost is set, client-side translations will be fetched from {apiBaseClientHost}/{apiBaseUrl}/{routeName}/{locale}/data.json (e.g., https://cdn.example.com/_locales/index/en/data.json).
apiBaseServerHost β
Defines the base host URL for fetching translations from a CDN or external server on the server side (SSR). Use this when translations are hosted on a different domain and need to be fetched during server-side rendering.
Type: string | undefined
Default: undefined
Environment Variable: NUXT_I18N_APP_BASE_SERVER_HOST
apiBaseServerHost: 'https://internal-cdn.example.com'When apiBaseServerHost is set, server-side translations will be fetched from {apiBaseServerHost}/{apiBaseUrl}/{routeName}/{locale}/data.json (e.g., https://internal-cdn.example.com/_locales/index/en/data.json).
TIP
Use apiBaseUrl for path prefixes, apiBaseClientHost for client-side CDN/external domain hosting, and apiBaseServerHost for server-side CDN/external domain hosting. This allows you to use different CDNs for client and server requests.
π Proxy & Security β
metaTrustForwardedHost β
Trust the X-Forwarded-Host header when resolving the base URL for meta tags. Enable when the app runs behind a reverse proxy (nginx, Cloudflare, AWS ALB, etc.) that sets this header to the real client-facing hostname.
Type: boolean
Default: true
metaTrustForwardedHost: false // Ignore X-Forwarded-Host headermetaTrustForwardedProto β
Trust the X-Forwarded-Proto header when resolving the protocol for meta tags. Enable when the app runs behind a TLS-terminating proxy so that canonical URLs use https:// even though the app itself listens on HTTP.
Type: boolean
Default: true
metaTrustForwardedProto: false // Ignore X-Forwarded-Proto headerπ Additional Features β
noPrefixRedirect β
When using no_prefix strategy, controls whether paths that start with a locale segment (e.g. /en/about) are automatically redirected to the unprefixed version (/about).
Type: boolean
Default: false
noPrefixRedirect: true // Enable stripping locale prefix in no_prefix strategyexcludePatterns β
URL patterns (strings or RegExp) to exclude from i18n processing entirely. Matching routes won't get locale prefixes, redirects, or translation loading. Internal Nuxt paths (/__nuxt_error, etc.) are always excluded automatically.
Type: (string | RegExp)[]
Default: undefined
excludePatterns: ['/api', '/admin', /^\/internal\/.*/]localizedRouteNamePrefix β
Prefix prepended to localized route names (e.g. localized-index). Used internally to distinguish original routes from generated locale variants. You rarely need to change this.
Type: string
Default: 'localized-'
localizedRouteNamePrefix: 'i18n-' // Custom prefix for localized route nameshmr β
Enables server-side HMR for translations during development. When enabled, the module watches your translation files and invalidates the in-memory server cache for changed locales/pages so that requests immediately get fresh data without restarting the server.
Type: boolean
Default: true (development only)
export default defineNuxtConfig({
i18n: {
// Hot updates for translation files in dev mode
hmr: true,
},
})cacheMaxSize β
Controls the maximum number of entries in the translation cache. When the limit is reached, the least recently used entry is evicted (LRU policy). Set to 0 (default) for unlimited cache.
Type: number
Default: 0 (unlimited)
cacheTtl β
Time-to-live for server cache entries in seconds. When a cached entry is accessed, its expiry is refreshed (sliding expiration). Expired entries are evicted on the next cache write. Set to 0 (default) for entries that never expire.
Type: number
Default: 0 (no expiration)
export default defineNuxtConfig({
i18n: {
// Limit cache to 1000 entries, each lives 10 minutes (refreshed on access)
cacheMaxSize: 1000,
cacheTtl: 600,
},
})When to use
For most projects the default (unlimited, no expiration) is fine β translations are small and finite. However, if your project has thousands of pages with disablePageLocales: false and many locales, the server cache can grow significantly. In long-running Node.js servers this may lead to excessive memory usage.
cacheMaxSizeβ caps the number of cached entries. Useful for bounding memory.cacheTtlβ ensures stale translations are eventually reloaded from storage. Useful for serverless environments or when translations change at runtime.
Formula for estimating max entries: number_of_locales Γ (number_of_pages + 1). For example, 10 locales Γ 500 pages = ~5010 entries.
π Caching Mechanism β
Nuxt I18n Micro v3 uses a multi-layer caching architecture built around TranslationStorage β a singleton class that uses Symbol.for on globalThis to ensure a single cache instance across bundles.
Translation Loading Flow β
Key Characteristics β
- π Zero extra requests on first load: SSR-injected data in
window.__I18N__is consumed synchronously on hydration - πΎ Process-global server cache:
loadTranslationsFromServer()caches merged results viaSymbol.forβ loaded once per locale/page, served from memory for all subsequent requests - β‘ Single request per page: The API returns a pre-built file (root + page-specific + fallback merged at build time) β no runtime merging needed
- π HMR in development: When
hmr: true, translation file changes invalidate the server cache automatically
See the Cache & Storage Architecture for in-depth details.
π Locale State Management β
In v3, all locale management goes through the centralized useI18nLocale() composable:
const { setLocale, getLocale, getPreferredLocale } = useI18nLocale()
// Set locale (updates useState + cookie atomically)
setLocale('fr')
// Get current locale
const locale = getLocale()Do not use useState('i18n-locale') or useCookie('user-locale') directly. The useI18nLocale() composable manages both internally, ensuring consistency between server and client.
See the Custom Language Detection guide for advanced usage.
π Next Steps β
Now that you have the basics set up, explore these advanced topics:
- Routing Strategies - How locale prefixes and redirects work
- Per-Component Translations - Learn about
$defineI18nRoute - Custom Language Detection - Programmatic locale management with
useI18nLocale() - API Reference - Complete method documentation
- Cache & Storage - Translation cache architecture
- Examples - Real-world usage examples
- Migration Guide - Migrating from other i18n solutions or v2