我正在使用Next.js i18n-routing来设置多语言网站。这完美地工作。如果我在其中创建文件,/pages/about.js
则会根据我的语言环境设置创建 URL,例如:
- CN ->
/about
- 德 ->
/de/about
- ES->
/it/about
这一切都很好。
如果我想为每种语言翻译 URL 路由怎么办?我被困在如何设置它...
- CN ->
/about
- 德 ->
/de/uber-uns
- ES->
/it/nosotros
?
我正在使用Next.js i18n-routing来设置多语言网站。这完美地工作。如果我在其中创建文件,/pages/about.js
则会根据我的语言环境设置创建 URL,例如:
/about
/de/about
/it/about
这一切都很好。
如果我想为每种语言翻译 URL 路由怎么办?我被困在如何设置它...
/about
/de/uber-uns
/it/nosotros
?
您可以通过利用rewrites
您的next.config.js
文件来实现翻译的 URL 路由。
module.exports = {
i18n: {
locales: ['en', 'de', 'es'],
defaultLocale: 'en'
},
async rewrites() {
return [
{
source: '/de/uber-uns',
destination: '/de/about',
locale: false // Use `locale: false` so that the prefix matches the desired locale correctly
},
{
source: '/es/nosotros',
destination: '/es/about',
locale: false
}
]
}
}
此外,如果您希望在客户端导航期间保持一致的路由行为,您可以围绕next/link
组件创建一个包装器,以确保显示翻译后的 URL。
import { useRouter } from 'next/router'
import Link from 'next/link'
const pathTranslations = {
de: {
'/about': '/uber-uns'
},
es: {
'/about': '/sobrenos'
}
}
const TranslatedLink = ({ href, children }) => {
const { locale } = useRouter()
// Get translated route for non-default locales
const translatedPath = pathTranslations[locale]?.[href]
// Set `as` prop to change displayed URL in browser
const as = translatedPath ? `/${locale}${translatedPath}` : undefined
return (
<Link href={href} as={as}>
{children}
</Link>
)
}
export default TranslatedLink
然后在您的代码中使用TranslatedLink
而不是next/link
。
<TranslatedLink href='/about'>
<a>Go to About page</a>
</TranslatedLink>
请注意,您可以重用该pathTranslations
对象来动态生成 中的rewrites
数组,next.config.js
并为翻译后的 URL 提供单一的真实来源。