国际化与本地化
国际化和本地化旨在帮助你创建面向多个地区和语言的 Web 应用程序。i18n(Internationalization 的缩写)的支持由 @adonisjs/i18n 包提供。
-
本地化(Localization) 是将应用程序的文本翻译成多种语言的过程。你需要为每种语言编写文案,并在 Edge 模板、验证错误消息中引用它们,或者直接使用
i18nAPI。 -
国际化(Internationalization) 是根据特定地区或国家/地区格式化值(如 日期、时间、数字)的过程。
安装
使用以下命令安装并配置该包:
node ace add @adonisjs/i18n
-
使用检测到的包管理器安装
@adonisjs/i18n包。 -
在
adonisrc.ts文件中注册以下服务提供者。{providers: [// ...其他提供者() => import('@adonisjs/i18n/i18n_provider')]} -
创建
config/i18n.ts文件。 -
在
middleware目录下创建detect_user_locale_middleware。 -
在
start/kernel.ts文件中注册以下中间件。router.use([() => import('#middleware/detect_user_locale_middleware')])
配置
i18n 包的配置存储在 config/i18n.ts 文件中。
参考:配置存根
import app from '@adonisjs/core/services/app'
import { defineConfig, formatters, loaders } from '@adonisjs/i18n'
const i18nConfig = defineConfig({
defaultLocale: 'en',
formatter: formatters.icu(),
loaders: [
loaders.fs({
location: app.languageFilesPath()
})
],
})
export default i18nConfig
-
formatter
-
定义用于存储翻译的格式。AdonisJS 支持 ICU 消息格式。
ICU 消息格式是被许多翻译服务(如 Crowdin 和 Lokalise)支持的广泛接受的标准。
此外,你也可以添加自定义消息格式化器。
-
defaultLocale
-
应用程序的默认语言环境。当你的应用程序不支持用户语言时,翻译和值格式化将回退到此语言环境。
-
fallbackLocales
-
定义语言环境及其回退语言环境集合的键值对。例如,如果你的应用程序支持西班牙语,你可以将其定义为加泰罗尼亚语的回退语言。
export default defineConfig({formatter: formatters.icu(),defaultLocale: 'en',fallbackLocales: {ca: 'es' // 当用户说加泰罗尼亚语时显示西班牙语内容}}) -
supportedLocales
-
你的应用程序支持的语言环境数组。
export default defineConfig({formatter: formatters.icu(),defaultLocale: 'en',supportedLocales: ['en', 'fr', 'it']})如果你未定义此值,我们将从翻译中推断
supportedLocales。例如,如果你定义了英语、法语和西班牙语的翻译,supportedLocales的值将是['en', 'es', 'fr']。 -
loaders
-
用于加载翻译的加载器集合。默认情况下,我们只支持文件系统加载器。但是,你可以添加自定义加载器。
存储翻译
翻译存储在 resources/lang 目录下,你必须根据 IETF 语言标签 格式为每种语言创建一个子目录。例如:
resources
├── lang
│ ├── en
│ └── fr
你可以通过使用地区代码创建子目录来为特定地区定义翻译。在以下示例中,我们为 英语(全球)、英语(美国) 和 英语(英国) 定义了不同的翻译。
当特定地区的翻译集中缺少翻译时,AdonisJS 将自动回退到 英语(全球)。
参考:ISO 语言代码
resources
├── lang
│ ├── en
│ ├── en-us
│ ├── en-uk
文件格式
翻译必须存储在 .json 或 .yaml 文件中。你可以随意创建嵌套的目录结构以便更好地组织。
resources
├── lang
│ ├── en
│ │ └── messages.json
│ └── fr
│ └── messages.json
翻译必须按照 ICU 消息语法 进行格式化。
{
"greeting": "Hello world"
}
{
"greeting": "Bonjour le monde"
}
解析翻译
在查找和格式化翻译之前,你需要使用 i18nManager.locale 方法创建一个特定语言环境的 I18n 类 实例。
import i18nManager from '@adonisjs/i18n/services/main'
// 英语的 I18n 实例
const en = i18nManager.locale('en')
// 法语的 I18n 实例
const fr = i18nManager.locale('fr')
一旦你有了 I18n 类的实例,你可以使用 .t 方法来格式化翻译。
const i18n = i18nManager.locale('en')
i18n.t('messages.greeting') // Hello world
const i18n = i18nManager.locale('fr')
i18n.t('messages.greeting') // Bonjour le monde
回退语言环境
每个实例都有一个基于 config.fallbackLocales 集合预配置的回退语言。当主语言缺少翻译时,将使用回退语言。
export default defineConfig({
fallbackLocales: {
'de-CH': 'de',
'fr-CH': 'fr'
}
})
const i18n = i18nManager.locale('de-CH')
i18n.fallbackLocale // de (使用回退集合)
const i18n = i18nManager.locale('fr-CH')
i18n.fallbackLocale // fr (使用回退集合)
const i18n = i18nManager.locale('en')
i18n.fallbackLocale // en (使用默认语言环境)
缺失的翻译
如果主语言环境和回退语言环境中都缺少翻译,.t 方法将返回一个格式如下的错误字符串。
const i18n = i18nManager.locale('en')
i18n.t('messages.hero_title')
// translation missing: en, messages.hero_title
你可以通过定义第二个参数作为回退值,用不同的消息或空字符串替换此消息。
const fallbackValue = ''
i18n.t('messages.hero_title', fallbackValue)
// output: ''
你也可以通过配置文件全局计算回退值。fallback 方法接收翻译路径作为第一个参数,语言环境代码作为第二个参数。确保始终返回字符串值。
import { defineConfig } from '@adonisjs/i18n'
export default defineConfig({
fallback: (identifier, locale) => {
return ''
},
})
在 HTTP 请求期间检测用户语言环境
在初始设置期间,我们在 ./app/middleware 目录下创建了一个 detect_user_locale_middleware.ts 文件。该中间件执行以下操作。
-
使用
Accept-language标头 检测请求的语言环境。 -
为请求的语言环境创建一个
I18n类的实例,并使用 HTTP 上下文 与请求管道的其余部分共享它。 -
将同一个实例作为全局
i18n属性与 Edge 模板共享。 -
最后,挂钩到 请求验证器 并使用翻译文件提供验证消息。
如果此中间件处于活动状态,你可以按如下方式在控制器和 Edge 模板中翻译消息。
import { HttpContext } from '@adonisjs/core/http'
export default class PostsController {
async store({ i18n, session }: HttpContext) {
session.flash('success', {
message: i18n.t('post.created')
})
}
}
<h1> {{ t('messages.heroTitle') }} </h1>
更改用户语言检测代码
由于 detect_user_locale_middleware 是你应用程序代码库的一部分,你可以修改 getRequestLocale 方法并使用自定义逻辑来查找用户语言。
翻译验证消息
detect_user_locale_middleware 挂钩到 请求验证器 并使用翻译文件提供验证消息。
export default class DetectUserLocaleMiddleware {
static {
RequestValidator.messagesProvider = (ctx) => {
return ctx.i18n.createMessagesProvider()
}
}
}
翻译必须存储在 validator.json 文件中的 shared 键下。验证消息可以为验证规则或 字段 + 规则 组合定义。
{
"shared": {
"fields": {
"first_name": "first name"
},
"messages": {
"required": "Enter {field}",
"username.required": "Choose a username for your account",
"email": "The email must be valid"
}
}
}
{
"shared": {
"fields": {
"first_name": "Prénom"
},
"messages": {
"required": "Remplisser le champ {field}",
"username.required": "Choissisez un nom d'utilisateur pour votre compte",
"email": "L'email doit être valide"
}
}
}
直接在 VineJS 中使用翻译
在 HTTP 请求期间,detect_user_locale_middleware 挂钩到请求验证器并注册一个 自定义消息提供者,以便从翻译文件中查找验证错误。
但是,如果你在 HTTP 请求之外使用 VineJS,例如在 Ace 命令或队列任务中,你在调用 validator.validate 方法时必须显式注册自定义消息提供者。
import { createJobValidator } from '#validators/jobs'
import i18nManager from '@adonisjs/i18n/services/main'
/**
* 获取特定语言环境的 i18n 实例
*/
const i18n = i18nManager.locale('fr')
await createJobValidator.validate(data, {
/**
* 注册消息提供者以使用翻译
*/
messagesProvider: i18n.createMessagesProvider()
})
ICU 消息格式
插值
ICU 消息语法使用单个大括号来引用动态值。例如:
ICU 消息语法 不支持嵌套数据集,因此,你在插值期间只能访问扁平对象的属性。
{
"greeting": "Hello { username }"
}
{{ t('messages.greeting', { username: 'Virk' }) }}
你也可以在消息中编写 HTML。但是,在 Edge 模板中使用三个 大括号 以渲染 HTML 而不转义它。
{
"greeting": "<p> Hello { username } </p>"
}
{{{ t('messages.greeting', { username: 'Virk' }) }}}
数字格式
你可以使用 {key, type, format} 语法在翻译消息中格式化数值。在以下示例中:
amount是运行时值。number是格式化类型。::currency/USD是带有 数字骨架 的货币格式。
{
"bagel_price": "The price of this bagel is {amount, number, ::currency/USD}"
}
{{ t('bagel_price', { amount: 2.49 }) }}
The price of this bagel is $2.49
以下是使用不同格式化样式和数字骨架的 number 格式示例。
Length of the pole: {price, number, ::measure-unit/length-meter}
Account balance: {price, number, ::currency/USD compact-long}
日期/时间格式
你可以使用 {key, type, format} 语法格式化 Date 实例或 luxon DateTime 实例。在以下示例中:
expectedDate是运行时值。date是格式化类型。medium是日期格式。
{
"shipment_update": "Your package will arrive on {expectedDate, date, medium}"
}
{{ t('shipment_update', { expectedDate: luxonDateTime }) }}
Your package will arrive on Oct 16, 2023
你可以使用 time 格式将值格式化为时间。
{
"appointment": "You have an appointment today at {appointmentAt, time, ::h:m a}"
}
You have an appointment today at 2:48 PM
ICU 提供了 各种各样的模式 来自定义日期时间格式。但是,并非所有模式都可以通过 ECMA402 的 Intl API 使用。因此,我们只支持以下模式。
| 符号 | 描述 |
|---|---|
G | 纪元指示符 (Era designator) |
y | 年 |
M | 年中的月 |
L | 独立的年中的月 |
d | 月中的日 |
E | 星期几 |
e | 当地的星期几,不支持 e..eee |
c | 独立的当地星期几,不支持 c..ccc |
a | AM/PM 标记 |
h | 小时 [1-12] |
H | 小时 [0-23] |
K | 小时 [0-11] |
k | 小时 [1-24] |
m | 分钟 |
s | 秒 |
z | 时区 |
复数规则
ICU 消息语法对定义消息中的复数规则有一流的支持。例如:
在以下示例中,我们使用 YAML 而不是 JSON,因为在 YAML 中编写多行文本更容易。
cart_summary:
"You have {itemsCount, plural,
=0 {no items}
one {1 item}
other {# items}
} in your cart"
{{ t('messages.cart_summary', { itemsCount: 1 }) }}
You have 1 item in your cart
# 是一个特殊标记,用作数值的占位符。它将被格式化为 {key, number}。
{{ t('messages.cart_summary', { itemsCount: 1000 }) }}
{{-- Output --}}
{{-- You have 1,000 items in your cart --}}
复数规则使用 {key, plural, matches} 语法。matches 是一个字面值,与以下复数类别之一匹配。
| 类别 | 描述 |
|---|---|
zero | 此类别用于具有专门针对零个项目的语法的语言。(例如阿拉伯语和拉脱维亚语) |
one | 此类别用于具有专门针对一个项目的语法的语言。许多语言(但并非全部)都使用此复数类别。(许多流行的亚洲语言,如中文和日语,不使用此类别。) |
two | 此类别用于具有专门针对两个项目的语法的语言。(例如阿拉伯语和威尔士语。) |
few | 此类别用于具有专门针对少量项目的语法的语言。对于某些语言,这用于 2-4 个项目,对于某些语言用于 3-10 个项目,其他语言具有更复杂的规则。 |
many | 此类别用于具有专门针对大量项目的语法的语言。(例如阿拉伯语、波兰语和俄语。) |
other | 如果值不匹配其他复数类别之一,则使用此类别。请注意,这用于具有简单“单数”与“复数”二分法的语言(如英语)的“复数”。 |
=value | 这用于匹配特定值,无论当前语言环境的复数类别如何。 |
表格内容引用自 formatjs.io
选择(Select)
select 格式允许你通过将值与众多选项之一进行匹配来选择输出。编写特定性别的文本是 select 格式的一个很好的例子。
auto_reply:
"{gender, select,
male {He}
female {She}
other {They}
} will respond shortly."
{{ t('messages.auto_reply', { gender: 'female' }) }}
She will respond shortly.
序数选择(Select ordinal)
select ordinal 格式允许你根据序数复数规则选择输出。该格式类似于 select 格式。但是,该值映射到序数复数类别。
anniversary_greeting:
"It's my {years, selectordinal,
one {#st}
two {#nd}
few {#rd}
other {#th}
} anniversary"
{{ t('messages.anniversary_greeting', { years: 2 }) }}
It's my 2nd anniversary
序数选择格式使用 {key, selectordinal, matches} 语法。匹配是字面值,并与以下复数类别之一匹配。
| 类别 | 描述 |
|---|---|
zero | 此类别用于具有专门针对零个项目的语法的语言。(例如阿拉伯语和拉脱维亚语。) |
one | 此类别用于具有专门针对一个项目的语法的语言。许多语言(但并非全部)都使用此复数类别。(许多流行的亚洲语言,如中文和日语,不使用此类别。) |
two | 此类别用于具有专门针对两个项目的语法的语言。(例如阿拉伯语和威尔士语。) |
few | 此类别用于具有专门针对少量项目的语法的语言。对于某些语言,这用于 2-4 个项目,对于某些语言用于 3-10 个项目,其他语言具有更复杂的规则。 |
many | 此类别用于具有专门针对大量项目的语法的语言。(例如阿拉伯语、波兰语和俄语。) |
other | 如果值不匹配其他复数类别之一,则使用此类别。请注意,这用于具有简单“单数”与“复数”二分法的语言(如英语)的“复数”。 |
=value | 这用于匹配特定值,无论当前语言环境的复数类别如何。 |
表格内容引用自 formatjs.io
格式化值
以下方法在底层使用 Node.js Intl API,但具有更好的性能。查看基准测试
formatNumber
使用 Intl.NumberFormat 类格式化数值。你可以传递以下参数。
- 要格式化的值。
- 可选的
options对象。
import i18nManager from '@adonisjs/i18n/services/main'
i18nManager
.locale('en')
.formatNumber(123456.789, {
maximumSignificantDigits: 3
})
formatCurrency
使用 Intl.NumberFormat 类将数值格式化为货币。formatCurrency 方法隐式定义了 style = currency 选项。
import i18nManager from '@adonisjs/i18n/services/main'
i18nManager
.locale('en')
.formatCurrency(200, {
currency: 'USD'
})
formatDate
使用 Intl.DateTimeFormat 类格式化日期或 luxon 日期时间对象。你可以传递以下参数。
- 要格式化的值。它可以是 Date 对象或 luxon DateTime 对象。
- 可选的
options对象。
import i18nManager from '@adonisjs/i18n/services/main'
import { DateTime } from 'luxon'
i18nManager
.locale('en')
.formatDate(new Date(), {
dateStyle: 'long'
})
// 格式化 luxon 日期时间实例
i18nManager
.locale('en')
.formatDate(DateTime.local(), {
dateStyle: 'long'
})
formatTime
使用 Intl.DateTimeFormat 类将日期值格式化为时间字符串。formatTime 方法隐式定义了 timeStyle = medium 选项。
import i18nManager from '@adonisjs/i18n/services/main'
i18nManager
.locale('en')
.formatTime(new Date())
formatRelativeTime
formatRelativeTime 方法使用 Intl.RelativeTimeFormat 类将值格式化为相对时间表示字符串。该方法接受以下参数。
import { DateTime } from 'luxon'
import i18nManager from '@adonisjs/i18n/services/main'
const luxonDate = DateTime.local().plus({ hours: 2 })
i18nManager
.locale('en')
.formatRelativeTime(luxonDate, 'hours')
将单位的值设置为 auto 以显示最佳匹配单位的差异。
const luxonDate = DateTime.local().plus({ hours: 2 })
I18n
.locale('en')
.formatRelativeTime(luxonDate, 'auto')
// In 2 hours 👈
const luxonDate = DateTime.local().plus({ hours: 200 })
I18n
.locale('en')
.formatRelativeTime(luxonDate, 'auto')
// In 8 days 👈
formatPlural
使用 Intl.PluralRules 类查找数字的复数类别。你可以传递以下参数。
- 要查找复数类别的数值。
- 可选的 options 对象。
import i18nManager from '@adonisjs/i18n/services/main'
i18nManager.i18nManager('en').formatPlural(0)
// other
i18nManager.i18nManager('en').formatPlural(1)
// one
i18nManager.i18nManager('en').formatPlural(2)
// other
formatList
使用 Intl.ListFormat 类将字符串数组格式化为句子。你可以传递以下参数。
- 要格式化的值。
- 可选的 options 对象。
import i18nManager from '@adonisjs/i18n/services/main'
i18nManager
.locale('en')
.formatList(['Me', 'myself', 'I'], { type: 'conjunction' })
// Me, myself and I
import i18nManager from '@adonisjs/i18n/services/main'
i18nManager
.locale('en')
.formatList(['5 hours', '3 minutes'], { type: 'unit' })
// 5 hours, 3 minutes
formatDisplayNames
使用 Intl.DisplayNames 类将 currency、language、region 和 calendar 代码格式化为其显示名称。你可以传递以下参数。
- 要格式化的代码。code 的值各不相同,具体取决于格式化的
type。 - Options 对象。
import i18nManager from '@adonisjs/i18n/services/main'
i18nManager
.locale('en')
.formatDisplayNames('INR', { type: 'currency' })
// Indian Rupee
import i18nManager from '@adonisjs/i18n/services/main'
i18nManager
.locale('en')
.formatDisplayNames('en-US', { type: 'language' })
// American English
配置 i18n Ally VSCode 扩展
VSCode 的 i18n Ally 扩展为在代码编辑器中 存储、检查 和 引用 翻译提供了出色的工作流程。
为了使该扩展与 AdonisJS 无缝协作,你必须在项目根目录的 .vscode 目录中创建以下文件。
mkdir .vscode
touch .vscode/i18n-ally-custom-framework.yml
touch .vscode/settings.json
将以下内容复制/粘贴到 settings.json 文件中。
{
"i18n-ally.localesPaths": [
"resources/lang"
],
"i18n-ally.keystyle": "nested",
"i18n-ally.namespace": true,
"i18n-ally.editor.preferEditor": true,
"i18n-ally.refactor.templates": [
{
"templates": [
"{{ t('{key}'{args}) }}"
],
"include": [
"**/*.edge",
],
},
]
}
将以下内容复制/粘贴到 .vscode/i18n-ally-custom-framework.yml 文件中。
languageIds:
- edge
usageMatchRegex:
- "[^\\w\\d]t\\(['\"`]({key})['\"`]"
sortKeys: true
监听缺失翻译事件
你可以监听 i18n:missing:translation 事件以获取有关应用程序中缺失翻译的通知。
import emitter from '@adonisjs/core/services/emitter'
emitter.on('i18n:missing:translation', function (event) {
console.log(event.identifier)
console.log(event.hasFallback)
console.log(event.locale)
})
强制重新加载翻译
@adonisjs/i18n 包在启动应用程序时读取翻译文件并将其存储在内存中以便快速访问。
但是,如果你在应用程序运行时修改了翻译文件,则可以使用 reloadTranslations 方法刷新内存缓存。
import i18nManager from '@adonisjs/i18n/services/main'
await i18nManager.reloadTranslations()
创建自定义翻译加载器
翻译加载器负责从持久存储加载翻译。我们附带了一个文件系统加载器,并提供了一个 API 来注册自定义加载器。
加载器必须实现 TranslationsLoaderContract 接口并定义返回键值对对象的 load 方法。键是语言环境代码,值是带有翻译列表的扁平对象。
import type {
LoaderFactory,
TranslationsLoaderContract,
} from '@adonisjs/i18n/types'
/**
* Type for the configuration
*/
export type DbLoaderConfig = {
connection: string
tableName: string
}
/**
* Loader implementation
*/
export class DbLoader implements TranslationsLoaderContract {
constructor(public config: DbLoaderConfig) {
}
async load() {
return {
en: {
'messages.greeting': 'Hello world',
},
fr: {
'messages.greeting': 'Bonjour le monde',
}
}
}
}
/**
* Factory function to reference the loader
* inside the config file.
*/
export function dbLoader(config: DbLoaderConfig): LoaderFactory {
return () => {
return new DbLoader(config)
}
}
在上面的代码示例中,我们要导出以下值。
DbLoaderConfig: 你想要接受的配置的 TypeScript 类型。DbLoader: 加载器的类实现。它必须遵守TranslationsLoaderContract接口。dbLoader: 最后,一个工厂函数,用于在配置文件中引用加载器。
使用加载器
创建加载器后,你可以使用 dbLoader 工厂函数在配置文件中引用它。
import { defineConfig } from '@adonisjs/i18n'
import { dbLoader } from 'my-custom-package'
const i18nConfig = defineConfig({
loaders: [
dbLoader({
connection: 'pg',
tableName: 'translations'
})
]
})
创建自定义翻译格式化器
翻译格式化器负责按照特定格式格式化翻译。我们附带了 ICU 消息语法的实现,并提供了额外的 API 来注册自定义格式化器。
格式化器必须实现 TranslationsFormatterContract 接口并定义 format 方法来格式化翻译消息。
import type {
FormatterFactory,
TranslationsLoaderContract,
} from '@adonisjs/i18n/types'
/**
* Formatter implementation
*/
export class FluentFormatter implements TranslationsFormatterContract {
format(
message: string,
locale: string,
data?: Record<string, any>
): string {
// return formatted value
}
}
/**
* Factory function to reference the formatter
* inside the config file.
*/
export function fluentFormatter(): FormatterFactory {
return () => {
return new FluentFormatter()
}
}
使用格式化器
创建格式化器后,你可以使用 fluentFormatter 工厂函数在配置文件中引用它。
import { defineConfig } from '@adonisjs/i18n'
import { fluentFormatter } from 'my-custom-package'
const i18nConfig = defineConfig({
formatter: fluentFormatter()
})