Getting Started Internationalizing (i18n) with Intlayer and Vite and React

    What is Intlayer?

    Intlayer is an innovative, open-source internationalization (i18n) library designed to simplify multilingual support in modern web applications.

    With Intlayer, you can:

    • Easily manage translations using declarative dictionaries at the component level.
    • Dynamically localize metadata, routes, and content.
    • Ensure TypeScript support with autogenerated types, improving autocompletion and error detection.
    • Benefit from advanced features, like dynamic locale detection and switching.

    Step-by-Step Guide to Set Up Intlayer in a Vite and React Application

    Step 1: Install Dependencies

    Install the necessary packages using npm:

    npm install intlayer react-intlayer
    yarn add intlayer react-intlayer
    pnpm add intlayer react-intlayer

    Step 2: Configuration of your project

    Create a config file to configure the languages of your application:

    // intlayer.config.ts import { Locales, type IntlayerConfig } from "intlayer"; const config: IntlayerConfig = { internationalization: { locales: [ Locales.ENGLISH, Locales.FRENCH, Locales.SPANISH, // Your other locales ], defaultLocale: Locales.ENGLISH, }, }; export default config;

    To see all available parameters, refer to the configuration documentation here.

    Step 3: Integrate Intlayer in Your Vite Configuration

    Add the intlayer plugin into your configuration.

    import { defineConfig } from "vite"; import react from "@vitejs/plugin-react-swc"; import { intLayerPlugin } from "react-intlayer/vite"; // https://vitejs.dev/config/ export default defineConfig({ plugins: [react(), intLayerPlugin()], });

    Step 4: Declare Your Content

    Create and manage your content dictionaries:

    // src/app.content.tsx import { t, type DeclarationContent } from "intlayer"; import { type ReactNode } from "react"; const appContent = { key: "app", content: { viteLogo: t({ en: "Vite logo", fr: "Logo Vite", es: "Logo Vite", }), reactLogo: t({ en: "React logo", fr: "Logo React", es: "Logo React", }), title: "Vite + React", count: t({ en: "count is ", fr: "le compte est ", es: "el recuento es ", }), edit: t<ReactNode>({ // N'oubliez pas d'importer React si vous utilisez un React node dans votre contenu en: ( <> Edit <code>src/App.tsx</code> and save to test HMR </> ), fr: ( <> Éditez <code>src/App.tsx</code> et enregistrez pour tester HMR </> ), es: ( <> Edita <code>src/App.tsx</code> y guarda para probar HMR </> ), }), readTheDocs: t({ en: "Click on the Vite and React logos to learn more", fr: "Cliquez sur les logos Vite et React pour en savoir plus", es: "Haga clic en los logotipos de Vite y React para obtener más información", }), }, } satisfies DeclarationContent; export default appContent;

    Note: If your content file includes TSX code, you should consider importing import React from "react"; in your content file.

    See how to declare your Intlayer declaration files.

    Step 5: Utilize Intlayer in Your Code

    Access your content dictionaries throughout your application:

    import { useState } from "react"; import reactLogo from "./assets/react.svg"; import viteLogo from "/vite.svg"; import "./App.css"; import { LocaleSwitcher } from "./components/LangSwitcherDropDown"; import { IntlayerProvider, useIntlayer } from "react-intlayer"; function AppContent() { const [count, setCount] = useState(0); const content = useIntlayer("app"); return ( <> <div> <a href="https://vitejs.dev" target="_blank"> <img src={viteLogo} className="logo" alt={content.viteLogo.value} /> </a> <a href="https://react.dev" target="_blank"> <img src={reactLogo} className="logo react" alt={content.reactLogo.value} /> </a> </div> <h1>{content.title}</h1> <div className="card"> <button onClick={() => setCount((count) => count + 1)}> {content.count} {count} </button> <p>{content.edit}</p> </div> <p className="read-the-docs">{content.readTheDocs}</p> <div className="absolute bottom-5 right-5 z-50"> <LocaleSwitcher /> </div> </> ); } function App() { return ( <IntlayerProvider> <AppContent /> </IntlayerProvider> ); } export default App;

    Note: If you want to use your content in a string attribute, such as alt, title, href, aria-label, etc., you must call the value of the function, like:

    <img src={content.image.src.value} alt={content.image.value} />

    (Optional) Step 6: Change the language of your content

    To change the language of your content, you can use the setLocale function provided by the useLocale hook. This function allows you to set the locale of the application and update the content accordingly.

    import { Locales } from "intlayer"; import { useLocale } from "react-intlayer"; const LocaleSwitcher = () => { const { setLocale } = useLocale(); return ( <button onClick={() => setLocale(Locales.English)}> Change Language to English </button> ); };

    (Optional) Step 7: Add localized Routing to your application

    The purpose of this step is to make unique routes for each language. This is useful for SEO and SEO-friendly URLs. Example:

    // /dashboard // /es/dashboard // /fr/dashboard

    By default, the routes are not prefixed for the default locale. If you want to prefix the default locale, you can set the middleware.prefixDefault option to true in your configuration. See the configuration documentation for more information.

    To add localized routing to your application, you can create a LocaleRouter component that wraps your application's routes and handles locale-based routing. Here is an example using React Router:

    // Importing necessary dependencies and functions import { Locales, getConfiguration, getPathWithoutLocale } from "intlayer"; // Utility functions and types from 'intlayer' import { FC, PropsWithChildren } from "react"; // React types for functional components and props import { IntlayerProvider } from "react-intlayer"; // Provider for internationalization context import { BrowserRouter, Routes, Route, useParams, Navigate, useLocation, } from "react-router-dom"; // Router components for managing navigation // Destructuring configuration from Intlayer const { internationalization, middleware } = getConfiguration(); const { locales, defaultLocale } = internationalization; /** * A component that handles localization and wraps children with the appropriate locale context. * It manages URL-based locale detection and validation. */ const AppLocalized: FC<PropsWithChildren> = ({ children }) => { const path = useLocation().pathname; // Get the current URL path const { locale } = useParams<{ locale: Locales }>(); // Extract the locale parameter from the URL // Determine the current locale, falling back to the default if not provided const currentLocale = locale ?? defaultLocale; // Remove the locale prefix from the path to construct a base path const pathWithoutLocale = getPathWithoutLocale( path // Current URL path ); /** * If middleware.prefixDefault is true, the default locale should always be prefixed. */ if (middleware.prefixDefault) { // Validate the locale if (!locale || !locales.includes(locale)) { // Redirect to the default locale with the updated path return ( <Navigate to={`/${defaultLocale}/${pathWithoutLocale}`} replace // Replace the current history entry with the new one /> ); } // Wrap children with the IntlayerProvider and set the current locale return ( <IntlayerProvider locale={currentLocale}>{children}</IntlayerProvider> ); } else { /** * When middleware.prefixDefault is false, the default locale is not prefixed. * Ensure that the current locale is valid and not the default locale. */ if ( currentLocale.toString() !== defaultLocale.toString() && !locales .filter( (locale) => locale.toString() !== defaultLocale.toString() // Exclude the default locale ) .includes(currentLocale) // Check if the current locale is in the list of valid locales ) { // Redirect to the path without locale prefix return <Navigate to={pathWithoutLocale} replace />; } // Wrap children with the IntlayerProvider and set the current locale return ( <IntlayerProvider locale={currentLocale}>{children}</IntlayerProvider> ); } }; /** * A router component that sets up locale-specific routes. * It uses React Router to manage navigation and render localized components. */ export const LocaleRouter: FC<PropsWithChildren> = ({ children }) => ( <BrowserRouter> <Routes> <Route // Route pattern to capture the locale (e.g., /en/, /fr/) and match all subsequent paths path="/:locale/*" element={<AppLocalized>{children}</AppLocalized>} // Wraps children with locale management /> { // If prefixing the default locale is disabled, render the children directly at the root path !middleware.prefixDefault && ( <Route path="*" element={<AppLocalized>{children}</AppLocalized>} // Wraps children with locale management /> ) } </Routes> </BrowserRouter> );

    In parallel, you can also use the intLayerMiddlewarePlugin to add server-side routing to your application. This plugin will automatically detect the current locale based on the URL and set the appropriate locale cookie. If no locale is specified, the plugin will determine the most appropriate locale based on the user's browser language preferences. If no locale is detected, it will redirect to the default locale.

    import { defineConfig } from "vite"; import react from "@vitejs/plugin-react-swc"; import { intLayerPlugin, intLayerMiddlewarePlugin } from "react-intlayer/vite"; // https://vitejs.dev/config/ export default defineConfig({ plugins: [react(), intLayerPlugin(), intLayerMiddlewarePlugin()], });

    (Optional) Step 8: Change the URL when the locale changes

    To change the URL when the locale changes, you can use the onLocaleChange prop provided by the useLocale hook. In parallel, you can use the useLocation and useNavigate hooks from react-router-dom to update the URL path.

    import { Locales, getLocalizedUrl } from "intlayer"; import { useLocale } from "react-intlayer"; import { useLocation, useNavigate } from "react-router-dom"; const LocaleSwitcher = () => { const location = useLocation(); // Get the current URL path. Example: /fr/about const navigate = useNavigate(); const changeUrl = (locale: Locales) => { // Construct the URL with the updated locale // Example: /es/about with the locale set to Spanish const pathWithLocale = getLocalizedUrl(location.pathname, locale); // Update the URL path navigate(pathWithLocale); }; const { setLocale } = useLocale({ onLocaleChange: changeUrl, }); return ( <button onClick={() => setLocale(Locales.English)}> Change Language to English </button> ); };

    Configure TypeScript

    Intlayer use module augmentation to get benefits of TypeScript and make your codebase stronger.

    alt text

    alt text

    Ensure your TypeScript configuration includes the autogenerated types.

    // tsconfig.json { // your custom config include: [ "src", "types", // <- Include the auto generated types ], }

    Git Configuration

    It is recommended to ignore the files generated by Intlayer. This allows you to avoid committing them to your Git repository.

    To do this, you can add the following instructions to your .gitignore file:

    # Ignore the files generated by Intlayer .intlayer

    If you have an idea for improving this documentation, please feel free to contribute by submitting a pull request on GitHub.

    GitHub link to the documentation

    In this page