Loading translations
Using a provider to manage messages
Problem
Hard-coding text, like 'Hello World', directly into an application's components couples the content with the code. To display a different language, developers must duplicate the component or add if/else logic, making translation unscalable and requiring a full code change for every new piece of text.
Solution
Use react-intl's IntlProvider to supply translations. Load translation messages on the server in the root layout, pass them to a client-side provider component, and then consume them in other client components using the useIntl hook.
Steps
1. Install react-intl
First, add react-intl as a dependency to your project.
npm install react-intl
2. Create flat translation files
Create a dictionaries folder. Inside, add a JSON file for each language. react-intl works best with a flat key-value structure.
// dictionaries/en.json
{
"home.title": "Home Page",
"home.welcome": "Hello, welcome to our site!",
"about.title": "About Us"
}
// dictionaries/es.json
{
"home.title": "Página de Inicio",
"home.welcome": "¡Hola, bienvenido a nuestro sitio!",
"about.title": "Sobre Nosotros"
}
3. Create a function to load dictionaries
Create a helper function to load the correct dictionary file on the server based on the lang parameter.
// app/get-dictionary.ts
import 'server-only';
// Define the type for our flat message object
type Messages = Record<string, string>;
const dictionaries: { [key: string]: () => Promise<Messages> } = {
en: () => import('@/dictionaries/en.json').then((module) => module.default),
es: () => import('@/dictionaries/es.json').then((module) => module.default),
// fr: () => import('@/dictionaries/fr.json').then((module) => module.default),
};
export const getDictionary = async (lang: string) => {
const load = dictionaries[lang];
if (load) {
return load();
}
// Fallback to English
return dictionaries.en();
};
4. Create a client-side provider
IntlProvider is a client component that uses React's Context. We must create a wrapper for it that can accept messages loaded from the server.
// app/components/IntlClientProvider.tsx
'use client';
import { IntlProvider } from 'react-intl';
type Props = {
children: React.ReactNode;
locale: string;
messages: Record<string, string>; // Flat messages object
};
export default function IntlClientProvider({
children,
locale,
messages,
}: Props) {
return (
<IntlProvider messages={messages} locale={locale} defaultLocale="en">
{children}
</IntlProvider>
);
}
5. Update the root layout
Modify your app/[lang]/layout.tsx to be an async component. It will load the messages and pass them to the IntlClientProvider.
// app/[lang]/layout.tsx
import { getDictionary } from '@/app/get-dictionary';
import IntlClientProvider from '@/app/components/IntlClientProvider';
export async function generateStaticParams() {
return [{ lang: 'en' }, { lang: 'es' }];
}
export default async function RootLayout({
children,
params,
}: {
children: React.ReactNode;
params: { lang: string };
}) {
// Load messages on the server
const messages = await getDictionary(params.lang);
return (
<html lang={params.lang}>
<body>
{/* Pass messages to the client provider */}
<IntlClientProvider locale={params.lang} messages={messages}>
{children}
</IntlClientProvider>
</body>
</html>
);
}
6. Use translations in a client component
You can now use the useIntl hook in any client component. Server components cannot use this hook.
Create a new client component to display the translated text:
// app/components/HomePageContent.tsx
'use client';
import { useIntl } from 'react-intl';
export default function HomePageContent() {
const intl = useIntl();
return (
<div>
<h1>{intl.formatMessage({ id: 'home.title' })}</h1>
<p>{intl.formatMessage({ id: 'home.welcome' })}</p>
</div>
);
}
7. Add the component to your page
Finally, add your new client component to your page.
// app/[lang]/page.tsx
import HomePageContent from '@/app/components/HomePageContent';
export default function Home() {
// This page is a Server Component
return (
<div>
{/* It renders the Client Component */}
<HomePageContent />
</div>
);
}