Docs
/Next.js 13
/Client Components
Usage in Client Components
next-intl
is available in the app
directory from version 2.10
onwards.
Getting started
Create a Next.js 13 app that uses the app
directory if you haven't done so already. The goal is to prefix all routes with the locale
, so we can retrieve it as a dynamic segment and use it to configure next-intl
.
- Create the following file structure:
├── messages (1)
│ ├── en.json
│ └── ...
├── app
│ ├── [locale]
│ │ ├── layout.tsx (2)
│ │ └── page.tsx (3)
│ └── ...
└── middleware.tsx (4)
- Set up messages for a language, e.g. in
messages/en.json
(1):
{
"Index": {
"title": "Hello world!"
}
}
- Configure
NextIntlClientProvider
inapp/[locale]/layout.tsx
(2):
import {NextIntlClientProvider} from 'next-intl/client';
import {notFound} from 'next/navigation';
export default async function LocaleLayout({children, params: {locale}}) {
let messages;
try {
messages = (await import(`../../messages/${locale}.json`)).default;
} catch (error) {
notFound();
}
return (
<NextIntlClientProvider locale={locale} messages={messages}>
{children}
</NextIntlClientProvider>
);
}
- Turn your component in
app/[locale]/page.tsx
into a Client Component to be able to use translations (3):
'use client';
import {useTranslations} from 'next-intl';
export default function Index() {
const t = useTranslations('Index');
return <h1>{t('title')}</h1>;
}
- Create a middleware that handles redirects:
import {createIntlMiddleware} from 'next-intl/server';
// This middleware intercepts requests to `/` and will redirect
// to one of the configured locales instead (e.g. `/en`). A cookie
// is set in the background, so if the user switches to a new
// language, this language will take precedence from now on.
export default createIntlMiddleware({
locales: ['en', 'de'],
defaultLocale: 'en'
});
That's all you need to do to start using translations in the app directory!
If you've encountered an issue, you can explore the code for a working example (demo).
💡
Note that you have to make use of 'use client';
in all components that use
features from next-intl
if you use this approach. Support for next-intl
APIs in Server Components is available in a preview
version.