---
createdAt: 2025-08-23
updatedAt: 2025-12-30
title: Create React App i18n - How to translate your React app – guide 2026
description: Discover how to make your Create React App (CRA) website multilingual. Follow the documentation to internationalize (i18n) and translate it.
keywords:
- Internationalization
- Documentation
- Intlayer
- Create React App
- CRA
- JavaScript
- React
slugs:
- doc
- environment
- create-react-app
applicationTemplate: https://github.com/aymericzip/intlayer-react-cra-template
history:
- version: 7.5.9
date: 2025-12-30
changes: Add init command
- version: 5.5.10
date: 2025-06-29
changes: Init history
---
# Translate your Create React App website using Intlayer | Internationalization (i18n)
<iframe
src="https://stackblitz.com/github/aymericzip/intlayer-react-cra-template?embed=1&ctl=1&file=intlayer.config.ts"
className="m-auto overflow-hidden rounded-lg border-0 max-md:size-full max-md:h-[700px] md:aspect-16/9 md:w-full"
title="Demo CodeSandbox - How to Internationalize your application using Intlayer"
sandbox="allow-forms allow-modals allow-popups allow-presentation allow-same-origin allow-scripts"
loading="lazy"
/>
See [Application Template](https://github.com/aymericzip/intlayer-react-cra-template) on GitHub.
## 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 React Application
### Step 1: Install Dependencies
Install the necessary packages using npm:
```bash packageManager="npm"
npm install intlayer react-intlayer react-scripts-intlayer
npx intlayer init
```
```bash packageManager="pnpm"
pnpm add intlayer react-intlayer react-scripts-intlayer
pnpm intlayer init
```
```bash packageManager="yarn"
yarn add intlayer react-intlayer react-scripts-intlayer
yarn intlayer init
```
```bash packageManager="bun"
bun add intlayer react-intlayer react-scripts-intlayer
bunx intlayer init
```
- **intlayer**
The core package that provides internationalization tools for configuration management, translation, [content declaration](https://github.com/aymericzip/intlayer/blob/main/docs/docs/en/dictionary/content_file.md), transpilation, and [CLI commands](https://github.com/aymericzip/intlayer/blob/main/docs/docs/en/cli/index.md).
- **react-intlayer**
The package that integrates Intlayer with React application. It provides context providers and hooks for React internationalization.
- **react-scripts-intlayer**
Includes the `react-scripts-intlayer` commands and plugins for integrating Intlayer with the Create React App based application. These plugins are based on [craco](https://craco.js.org/) and includes additional configuration for the [Webpack](https://webpack.js.org/) bundler.
### Step 2: Configuration of your project
Create a config file to configure the languages of your application:
```typescript fileName="intlayer.config.ts" codeFormat="typescript"
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;
```
```javascript fileName="intlayer.config.mjs" codeFormat="esm"
import { Locales } from "intlayer";
/** @type {import('intlayer').IntlayerConfig} */
const config = {
internationalization: {
locales: [
Locales.ENGLISH,
Locales.FRENCH,
Locales.SPANISH,
// Your other locales
],
defaultLocale: Locales.ENGLISH,
},
};
export default config;
```
```javascript fileName="intlayer.config.cjs" codeFormat="commonjs"
const { Locales } = require("intlayer");
/** @type {import('intlayer').IntlayerConfig} */
const config = {
internationalization: {
locales: [
Locales.ENGLISH,
Locales.FRENCH,
Locales.SPANISH,
// Your other locales
],
defaultLocale: Locales.ENGLISH,
},
};
module.exports = config;
```
> Through this configuration file, you can set up localized URLs, middleware redirection, cookie names, the location and extension of your content declarations, disable Intlayer logs in the console, and more. For a complete list of available parameters, refer to the [configuration documentation](https://github.com/aymericzip/intlayer/blob/main/docs/docs/en/configuration.md).
### Step 3: Integrate Intlayer in Your CRA Configuration
Change your scripts to use react-intlayer
```json fileName="package.json"
"scripts": {
"build": "react-scripts-intlayer build",
"start": "react-scripts-intlayer start",
"transpile": "intlayer build"
},
```
> `react-scripts-intlayer` scripts are based on [CRACO](https://craco.js.org/). You can also implement your own setup based on the intlayer craco plugin. [See example here](https://github.com/aymericzip/intlayer/blob/main/examples/react-app/craco.config.js).
### Step 4: Declare Your Content
Create and manage your content declarations to store translations:
```tsx fileName="src/app.content.tsx" codeFormat="typescript"
import { t, type Dictionary } from "intlayer";
import React, { type ReactNode } from "react";
const appContent = {
key: "app",
content: {
getStarted: t<ReactNode>({
en: (
<>
Edit <code>src/App.tsx</code> and save to reload
</>
),
fr: (
<>
Éditez <code>src/App.tsx</code> et enregistrez pour recharger
</>
),
es: (
<>
Edita <code>src/App.tsx</code> y guarda para recargar
</>
),
}),
reactLink: {
href: "https://reactjs.org",
content: t({
en: "Learn React",
fr: "Apprendre React",
es: "Aprender React",
}),
},
},
} satisfies Dictionary;
export default appContent;
```
```jsx fileName="src/app.content.mjx" codeFormat="esm"
import { t } from "intlayer";
/** @type {import('intlayer').Dictionary} */
const appContent = {
key: "app",
content: {
getStarted: t({
en: "Get started by editing",
fr: "Commencez par éditer",
es: "Comience por editar",
}),
reactLink: {
href: "https://reactjs.org",
content: t({
en: "Learn React",
fr: "Apprendre React",
es: "Aprender React",
}),
},
},
};
export default appContent;
```
```jsx fileName="src/app.content.csx" codeFormat="commonjs"
const { t } = require("intlayer");
/** @type {import('intlayer').Dictionary} */
const appContent = {
key: "app",
content: {
getStarted: t({
en: "Get started by editing",
fr: "Commencez par éditer",
es: "Comience por editar",
}),
reactLink: {
href: "https://reactjs.org",
content: t({
en: "Learn React",
fr: "Apprendre React",
es: "Aprender React",
}),
},
},
};
module.exports = appContent;
```
> Your content declarations can be defined anywhere in your application as soon they are included into the `contentDir` directory (by default, `./src`). And match the content declaration file extension (by default, `.content.{json,ts,tsx,js,jsx,mjs,cjs}`).
> For more details, refer to the [content declaration documentation](https://github.com/aymericzip/intlayer/blob/main/docs/docs/en/dictionary/content_file.md).
> If your content file includes TSX code, you should consider importing `import React from "react";` in your content file.
### Step 5: Utilize Intlayer in Your Code
Access your content dictionaries throughout your application:
```tsx {4,7} fileName="src/App.tsx" codeFormat="typescript"
import logo from "./logo.svg";
import "./App.css";
import type { FC } from "react";
import { IntlayerProvider, useIntlayer } from "react-intlayer";
const AppContent: FC = () => {
const content = useIntlayer("app");
return (
<div className="App">
<img src={logo} className="App-logo" alt="logo" />
{content.getStarted}
<a
className="App-link"
href={content.reactLink.href.value}
target="_blank"
rel="noopener noreferrer"
>
{content.reactLink.content}
</a>
</div>
);
};
const App: FC = () => (
<IntlayerProvider>
<AppContent />
</IntlayerProvider>
);
export default App;
```
```jsx {3,6} fileName="src/App.mjx" codeFormat="esm"
import "./App.css";
import logo from "./logo.svg";
import { IntlayerProvider, useIntlayer } from "react-intlayer";
const AppContent = () => {
const content = useIntlayer("app");
return (
<div className="App">
<img src={logo} className="App-logo" alt="logo" />
{content.getStarted}
<a
className="App-link"
href={content.reactLink.href.value}
target="_blank"
rel="noopener noreferrer"
>
{content.reactLink.content}
</a>
</div>
);
};
const App = () => (
<IntlayerProvider>
<AppContent />
</IntlayerProvider>
);
```
```jsx {3,6} fileName="src/App.csx" codeFormat="commonjs"
require("./App.css");
const logo = require("./logo.svg");
const { IntlayerProvider, useIntlayer } = require("react-intlayer");
const AppContent = () => {
const content = useIntlayer("app");
return (
<div className="App">
<img src={logo} className="App-logo" alt="logo" />
{content.getStarted}
<a
className="App-link"
href={content.reactLink.href.value}
target="_blank"
rel="noopener noreferrer"
>
{content.reactLink.content}
</a>
</div>
);
};
const App = () => (
<IntlayerProvider>
<AppContent />
</IntlayerProvider>
);
```
> 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:
> ```jsx
> <img src={content.image.src.value} alt={content.image.value} />
> ```
> To Learn more about the `useIntlayer` hook, refer to the [documentation](https://github.com/aymericzip/intlayer/blob/main/docs/docs/en/packages/react-intlayer/useIntlayer.md).
### (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.
```tsx fileName="src/components/LocaleSwitcher.tsx" codeFormat="typescript"
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>
);
};
```
```jsx fileName="src/components/LocaleSwitcher.mjx" codeFormat="esm"
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>
);
};
```
```jsx fileName="src/components/LocaleSwitcher.csx" codeFormat="commonjs"
const { Locales } = require("intlayer");
const { useLocale } = require("react-intlayer");
const LocaleSwitcher = () => {
const { setLocale } = useLocale();
return (
<button onClick={() => setLocale(Locales.English)}>
Change Language to English
</button>
);
};
```
> To Learn more about the `useLocale` hook, refer to the [documentation](https://github.com/aymericzip/intlayer/blob/main/docs/docs/en/packages/react-intlayer/useLocale.md).
### (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:
```plaintext
- https://example.com/about
- https://example.com/es/about
- https://example.com/fr/about
```
> 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](https://github.com/aymericzip/intlayer/blob/main/docs/docs/en/configuration.md) 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](https://reactrouter.com/home):
```tsx fileName="src/components/LocaleRouter.tsx" codeFormat="typescript"
// Importing necessary dependencies and functions
import { type Locales, configuration, getPathWithoutLocale } from "intlayer"; // Utility functions and types from 'intlayer'
// Utility functions and types from 'intlayer'
import type { FC, PropsWithChildren } from "react"; // React types for functional components and props
import { IntlayerProvider } from "react-intlayer"; // Provider for internationalization context
import {
BrowserRouter,
Routes,
Route,
Navigate,
useLocation,
} from "react-router-dom"; // Router components for managing navigation
// Destructuring configuration from Intlayer
const { internationalization, middleware } = configuration;
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<{ locale: Locales }>> = ({
children,
locale,
}) => {
const { pathname, search } = useLocation(); // Get the current URL path
// 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(
pathname // 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}${search}`}
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}${search}`} 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>
{locales
.filter(
(locale) => middleware.prefixDefault || locale !== defaultLocale
)
.map((locale) => (
<Route
// Route pattern to capture the locale (e.g., /en/, /fr/) and match all subsequent paths
path={`/${locale}/*`}
key={locale}
element={<AppLocalized locale={locale}>{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 locale={defaultLocale}>{children}</AppLocalized>
} // Wraps children with locale management
/>
)
}
</Routes>
</BrowserRouter>
);
```
```jsx fileName="src/components/LocaleRouter.mjx" codeFormat="esm"
// Importing necessary dependencies and functions
import { configuration, getPathWithoutLocale } from "intlayer"; // Utility functions and types from 'intlayer'
// Utility functions and types from 'intlayer'
import { IntlayerProvider } from "react-intlayer"; // Provider for internationalization context
import {
BrowserRouter,
Routes,
Route,
Navigate,
useLocation,
} from "react-router-dom"; // Router components for managing navigation
// Destructuring configuration from Intlayer
const { internationalization, middleware } = configuration;
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 = ({ children, locale }) => {
const { pathname, search } = useLocation(); // Get the current URL path
// 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(
pathname // 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}${search}`}
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}${search}`} 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 = ({ children }) => (
<BrowserRouter>
<Routes>
{locales
.filter(
(locale) => middleware.prefixDefault || locale !== defaultLocale
)
.map((locale) => (
<Route
// Route pattern to capture the locale (e.g., /en/, /fr/) and match all subsequent paths
path={`/${locale}/*`}
key={locale}
element={<AppLocalized locale={locale}>{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 locale={defaultLocale}>{children}</AppLocalized>
} // Wraps children with locale management
/>
)
}
</Routes>
</BrowserRouter>
);
```
```jsx fileName="src/components/LocaleRouter.cjx" codeFormat="commonjs"
// Importing necessary dependencies and functions
const { configuration, getPathWithoutLocale } = require("intlayer"); // Utility functions and types from 'intlayer'
const { IntlayerProvider, useLocale } = require("react-intlayer"); // Provider for internationalization context
const {
BrowserRouter,
Routes,
Route,
Navigate,
useLocation,
} = require("react-router-dom"); // Router components for managing navigation
// Destructuring configuration from Intlayer
const { internationalization, middleware } = configuration;
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 = ({ children, locale }) => {
const { pathname, search } = useLocation(); // Get the current URL path
// 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(
pathname // 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}${search}`}
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}${search}`} 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.
*/
const LocaleRouter = ({ children }) => (
<BrowserRouter>
<Routes>
{locales
.filter(
(locale) => middleware.prefixDefault || locale !== defaultLocale
)
.map((locale) => (
<Route
// Route pattern to capture the locale (e.g., /en/, /fr/) and match all subsequent paths
path={`/${locale}/*`}
key={locale}
element={<AppLocalized locale={locale}>{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 locale={defaultLocale}>{children}</AppLocalized>
} // Wraps children with locale management
/>
)
}
</Routes>
</BrowserRouter>
);
```
Then, you can use the `LocaleRouter` component in your application:
```tsx fileName="src/App.tsx" codeFormat="typescript"
import { LocaleRouter } from "./components/LocaleRouter";
import type { FC } from "react";
// ... Your AppContent component
const App: FC = () => (
<LocaleRouter>
<AppContent />
</LocaleRouter>
);
```
```jsx fileName="src/App.mjx" codeFormat="esm"
import { LocaleRouter } from "./components/LocaleRouter";
// ... Your AppContent component
const App = () => (
<LocaleRouter>
<AppContent />
</LocaleRouter>
);
```
```jsx fileName="src/App.cjx" codeFormat="commonjs"
const { LocaleRouter } = require("./components/LocaleRouter");
// ... Your AppContent component
const App = () => (
<LocaleRouter>
<AppContent />
</LocaleRouter>
);
```
### (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.
```tsx fileName="src/components/LocaleSwitcher.tsx" codeFormat="typescript"
import { useLocation, useNavigate } from "react-router-dom";
import {
Locales,
getHTMLTextDir,
getLocaleName,
getLocalizedUrl,
} from "intlayer";
import { useLocale } from "react-intlayer";
import { type FC } from "react";
const LocaleSwitcher: FC = () => {
const { pathname, search } = useLocation(); // Get the current URL path. Example: /fr/about?foo=bar
const navigate = useNavigate();
const { locale, availableLocales, setLocale } = useLocale({
onLocaleChange: (locale) => {
// Construct the URL with the updated locale
// Example: /es/about?foo=bar
const pathWithLocale = getLocalizedUrl(`${pathname}${search}`, locale);
// Update the URL path
navigate(pathWithLocale);
},
});
return (
<div>
<button popoverTarget="localePopover">{getLocaleName(locale)}</button>
<div id="localePopover" popover="auto">
{availableLocales.map((localeItem) => (
<a
href={getLocalizedUrl(location.pathname, localeItem)}
hrefLang={localeItem}
aria-current={locale === localeItem ? "page" : undefined}
onClick={(e) => {
e.preventDefault();
setLocale(localeItem);
}}
key={localeItem}
>
<span>
{/* Locale - e.g. FR */}
{localeItem}
</span>
<span>
{/* Language in its own Locale - e.g. Français */}
{getLocaleName(localeItem, locale)}
</span>
<span dir={getHTMLTextDir(localeItem)} lang={localeItem}>
{/* Language in current Locale - e.g. Francés with current locale set to Locales.SPANISH */}
{getLocaleName(localeItem)}
</span>
<span dir="ltr" lang={Locales.ENGLISH}>
{/* Language in English - e.g. French */}
{getLocaleName(localeItem, Locales.ENGLISH)}
</span>
</a>
))}
</div>
</div>
);
};
```
```jsx fileName="src/components/LocaleSwitcher.msx" codeFormat="esm"
import { useLocation, useNavigate } from "react-router-dom";
import {
Locales,
getHTMLTextDir,
getLocaleName,
getLocalizedUrl,
} from "intlayer";
import { useLocale } from "react-intlayer";
const LocaleSwitcher = () => {
const { pathname, search } = useLocation(); // Get the current URL path. Example: /fr/about?foo=bar
const navigate = useNavigate();
const { locale, availableLocales, setLocale } = useLocale({
onLocaleChange: (locale) => {
// Construct the URL with the updated locale
// Example: /es/about?foo=bar
const pathWithLocale = getLocalizedUrl(`${pathname}${search}`, locale);
// Update the URL path
navigate(pathWithLocale);
},
});
return (
<div>
<button popoverTarget="localePopover">{getLocaleName(locale)}</button>
<div id="localePopover" popover="auto">
{availableLocales.map((localeItem) => (
<a
href={getLocalizedUrl(location.pathname, localeItem)}
hrefLang={localeItem}
aria-current={locale === localeItem ? "page" : undefined}
onClick={(e) => {
e.preventDefault();
setLocale(localeItem);
}}
key={localeItem}
>
<span>
{/* Locale - e.g. FR */}
{localeItem}
</span>
<span>
{/* Language in its own Locale - e.g. Français */}
{getLocaleName(localeItem, locale)}
</span>
<span dir={getHTMLTextDir(localeItem)} lang={localeItem}>
{/* Language in current Locale - e.g. Francés with current locale set to Locales.SPANISH */}
{getLocaleName(localeItem)}
</span>
<span dir="ltr" lang={Locales.ENGLISH}>
{/* Language in English - e.g. French */}
{getLocaleName(localeItem, Locales.ENGLISH)}
</span>
</a>
))}
</div>
</div>
);
};
```
```jsx fileName="src/components/LocaleSwitcher.csx" codeFormat="commonjs"
const { useLocation, useNavigate } = require("react-router-dom");
const {
Locales,
getHTMLTextDir,
getLocaleName,
getLocalizedUrl,
} = require("intlayer");
const { useLocale } = require("react-intlayer");
const LocaleSwitcher = () => {
const { pathname, search } = useLocation(); // Get the current URL path. Example: /fr/about?foo=bar
const navigate = useNavigate();
const { locale, availableLocales, setLocale } = useLocale({
onLocaleChange: (locale) => {
// Construct the URL with the updated locale
// Example: /es/about?foo=bar
const pathWithLocale = getLocalizedUrl(`${pathname}${search}`, locale);
// Update the URL path
navigate(pathWithLocale);
},
});
return (
<div>
<button popoverTarget="localePopover">{getLocaleName(locale)}</button>
<div id="localePopover" popover="auto">
{availableLocales.map((localeItem) => (
<a
href={getLocalizedUrl(location.pathname, localeItem)}
hrefLang={localeItem}
aria-current={locale === localeItem ? "page" : undefined}
onClick={(e) => {
e.preventDefault();
setLocale(localeItem);
}}
key={localeItem}
>
<span>
{/* Locale - e.g. FR */}
{localeItem}
</span>
<span>
{/* Language in its own Locale - e.g. Français */}
{getLocaleName(localeItem, locale)}
</span>
<span dir={getHTMLTextDir(localeItem)} lang={localeItem}>
{/* Language in current Locale - e.g. Francés with current locale set to Locales.SPANISH */}
{getLocaleName(localeItem)}
</span>
<span dir="ltr" lang={Locales.ENGLISH}>
{/* Language in English - e.g. French */}
{getLocaleName(localeItem, Locales.ENGLISH)}
</span>
</a>
))}
</div>
</div>
);
};
```
> Documentation references:
>
> - [`useLocale` hook](https://github.com/aymericzip/intlayer/blob/main/docs/docs/en/packages/react-intlayer/useLocale.md)
> - [`getLocaleName` hook](https://github.com/aymericzip/intlayer/blob/main/docs/docs/en/packages/intlayer/getLocaleName.md)
> - [`getLocalizedUrl` hook](https://github.com/aymericzip/intlayer/blob/main/docs/docs/en/packages/intlayer/getLocalizedUrl.md)
> - [`getHTMLTextDir` hook](https://github.com/aymericzip/intlayer/blob/main/docs/docs/en/packages/intlayer/getHTMLTextDir.md)
> - [`hrefLang` attribute](https://developers.google.com/search/docs/specialty/international/localized-versions?hl=fr)
> - [`lang` attribute](https://developer.mozilla.org/en-US/docs/Web/HTML/Global_attributes/lang)
> - [`dir` attribute](https://developer.mozilla.org/en-US/docs/Web/HTML/Global_attributes/dir)
> - [`aria-current` attribute](https://developer.mozilla.org/en-US/docs/Web/Accessibility/ARIA/Attributes/aria-current)
### (Optional) Step 9: Switch the HTML Language and Direction Attributes
When your application supports multiple languages, it's crucial to update the `<html>` tag's `lang` and `dir` attributes to match the current locale. Doing so ensures:
- **Accessibility**: Screen readers and assistive technologies rely on the correct `lang` attribute to pronounce and interpret content accurately.
- **Text Rendering**: The `dir` (direction) attribute ensures that text is rendered in the proper order (e.g., left-to-right for English, right-to-left for Arabic or Hebrew), which is essential for readability.
- **SEO**: Search engines use the `lang` attribute to determine the language of your page, helping to serve the right localized content in search results.
By updating these attributes dynamically when the locale changes, you guarantee a consistent and accessible experience for users across all supported languages.
#### Implementing the Hook
Create a custom hook to manage the HTML attributes. The hook listens for locale changes and updates the attributes accordingly:
```tsx fileName="src/hooks/useI18nHTMLAttributes.tsx" codeFormat="typescript"
import { useEffect } from "react";
import { useLocale } from "react-intlayer";
import { getHTMLTextDir } from "intlayer";
/**
* Updates the HTML <html> element's `lang` and `dir` attributes based on the current locale.
* - `lang`: Informs browsers and search engines of the page's language.
* - `dir`: Ensures the correct reading order (e.g., 'ltr' for English, 'rtl' for Arabic).
*
* This dynamic update is essential for proper text rendering, accessibility, and SEO.
*/
export const useI18nHTMLAttributes = () => {
const { locale } = useLocale();
useEffect(() => {
// Update the language attribute to the current locale.
document.documentElement.lang = locale;
// Set the text direction based on the current locale.
document.documentElement.dir = getHTMLTextDir(locale);
}, [locale]);
};
```
```jsx fileName="src/hooks/useI18nHTMLAttributes.msx" codeFormat="esm"
import { useEffect } from "react";
import { useLocale } from "react-intlayer";
import { getHTMLTextDir } from "intlayer";
/**
* Updates the HTML <html> element's `lang` and `dir` attributes based on the current locale.
* - `lang`: Informs browsers and search engines of the page's language.
* - `dir`: Ensures the correct reading order (e.g., 'ltr' for English, 'rtl' for Arabic).
*
* This dynamic update is essential for proper text rendering, accessibility, and SEO.
*/
export const useI18nHTMLAttributes = () => {
const { locale } = useLocale();
useEffect(() => {
// Update the language attribute to the current locale.
document.documentElement.lang = locale;
// Set the text direction based on the current locale.
document.documentElement.dir = getHTMLTextDir(locale);
}, [locale]);
};
```
```jsx fileName="src/hooks/useI18nHTMLAttributes.csx" codeFormat="commonjs"
const { useEffect } = require("react");
const { useLocale } = require("react-intlayer");
const { getHTMLTextDir } = require("intlayer");
/**
* Updates the HTML <html> element's `lang` and `dir` attributes based on the current locale.
* - `lang`: Informs browsers and search engines of the page's language.
* - `dir`: Ensures the correct reading order (e.g., 'ltr' for English, 'rtl' for Arabic).
*
* This dynamic update is essential for proper text rendering, accessibility, and SEO.
*/
const useI18nHTMLAttributes = () => {
const { locale } = useLocale();
useEffect(() => {
// Update the language attribute to the current locale.
document.documentElement.lang = locale;
// Set the text direction based on the current locale.
document.documentElement.dir = getHTMLTextDir(locale);
}, [locale]);
};
module.exports = { useI18nHTMLAttributes };
```
#### Using the Hook in Your Application
Integrate the hook into your main component so that the HTML attributes update whenever the locale changes:
```tsx fileName="src/App.tsx" codeFormat="typescript"
import type { FC } from "react";
import { IntlayerProvider, useIntlayer } from "react-intlayer";
import { useI18nHTMLAttributes } from "./hooks/useI18nHTMLAttributes";
import "./App.css";
const AppContent: FC = () => {
// Apply the hook to update the <html> tag's lang and dir attributes based on the locale.
useI18nHTMLAttributes();
// ... Rest of your component
};
const App: FC = () => (
<IntlayerProvider>
<AppContent />
</IntlayerProvider>
);
export default App;
```
```jsx fileName="src/App.msx" codeFormat="esm"
import { IntlayerProvider, useIntlayer } from "react-intlayer";
import { useI18nHTMLAttributes } from "./hooks/useI18nHTMLAttributes";
import "./App.css";
const AppContent = () => {
// Apply the hook to update the <html> tag's lang and dir attributes based on the locale.
useI18nHTMLAttributes();
// ... Rest of your component
};
const App = () => (
<IntlayerProvider>
<AppContent />
</IntlayerProvider>
);
export default App;
```
```jsx fileName="src/App.csx" codeFormat="commonjs"
const { FC } = require("react");
const { IntlayerProvider, useIntlayer } = require("react-intlayer");
const { useI18nHTMLAttributes } = require("./hooks/useI18nHTMLAttributes");
require("./App.css");
const AppContent = () => {
// Apply the hook to update the <html> tag's lang and dir attributes based on the locale.
useI18nHTMLAttributes();
// ... Rest of your component
};
const App = () => (
<IntlayerProvider>
<AppContent />
</IntlayerProvider>
);
module.exports = App;
```
By applying these changes, your application will:
- Ensure the **language** (`lang`) attribute correctly reflects the current locale, which is important for SEO and browser behavior.
- Adjust the **text direction** (`dir`) according to the locale, enhancing readability and usability for languages with different reading orders.
- Provide a more **accessible** experience, as assistive technologies depend on these attributes to function optimally.
### Configure TypeScript
Intlayer use module augmentation to get benefits of TypeScript and make your codebase stronger.


Ensure your TypeScript configuration includes the autogenerated types.
```json5 fileName="tsconfig.json"
{
// ... Your existing TypeScript configurations
"include": [
// ... Your existing TypeScript configurations
".intlayer/**/*.ts", // 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:
```plaintext fileName=".gitignore"
# Ignore the files generated by Intlayer
.intlayer
```
### VS Code Extension
To improve your development experience with Intlayer, you can install the official **Intlayer VS Code Extension**.
[Install from the VS Code Marketplace](https://marketplace.visualstudio.com/items?itemName=intlayer.intlayer-vs-code-extension)
This extension provides:
- **Autocompletion** for translation keys.
- **Real-time error detection** for missing translations.
- **Inline previews** of translated content.
- **Quick actions** to easily create and update translations.
For more details on how to use the extension, refer to the [Intlayer VS Code Extension documentation](https://intlayer.org/doc/vs-code-extension).
### Go Further
To go further, you can implement the [visual editor](https://github.com/aymericzip/intlayer/blob/main/docs/docs/en/intlayer_visual_editor.md) or externalize your content using the [CMS](https://github.com/aymericzip/intlayer/blob/main/docs/docs/en/intlayer_CMS.md).