国际化(i18n)用于快速验证器

时间:2017-11-04 19:40:41

标签: express express-validator

是否可以将express-validator返回的消息转换为英语以外的语言进行国际化(i18n)?

我试着查看源代码,但我找不到它。

express-validator

由于

2 个答案:

答案 0 :(得分:2)

这可能是你必须自己创造的东西,但它不应该太难。

使用withMessage()分配错误消息时,您可以发送多个字符串。例如,您可以发送一个对象。因此,您可以在对象中为特定错误添加所有语言的错误消息。

以下是一个例子:

<强>路线

const countValidation = require('./count.validation');

router
  .route('/blogposts')
  .get(
    countValidation.count,
    blogpostController.blogpostsGetAll,
  );

验证程序(在名为count.validation.js的单独文件中)

const message = {
  english: 'count must be between 1 and 1000',
  chinese: 'count must be between 1 and 1000, but in chinese',
};

module.exports.count = [
  check('count')
    .optional()
    .isInt({ min: 1, max: 1000 })
    .withMessage(message)
];

验证失败时将发送此响应:

{
    "errors": {
        "count": {
            "location": "query",
            "param": "count",
            "value": "-1",
            "msg": {
                "english": "count must be between 1 and 1000",
                "chinese": "count must be between 1 and 1000, but in chinese"
            }
        }
    }
}

在此特定示例中,前端必须根据用户设置或用户代理选择要显示的错误消息。

如果我们知道客户端在请求中使用的语言,也可以处理服务器端使用的错误消息。例如,我们可以在请求中读取 accept-language 标头。以下是如何做到这一点的示例:

控制器功能:

而不是使用它(标准处理错误,几乎直接来自自述文件):

module.exports.blogpostsGetAll = (req, res) => {
  const errors = validationResult(req);
  if (!errors.isEmpty()) {
    return res.status(422).json({ errors: errors.mapped() });
  }

  // The rest of the function...
};

我们用这个:

module.exports.blogpostsGetAll = (req, res) => {
  const errors = validationResult(req);
  if (!errors.isEmpty()) {
    const errorsInProperLanguage = handleLanguages(req.headers, errors.mapped());
    return res.status(422).json({ errors: errorsInProperLanguage });
  }

  // The rest of the function...
};

仅使用一种语言的示例功能:

function handleLanguages(headers, errorsMapped) {
  const language = headers['accept-language'].split(',')[0];
  for (let errorKey in errorsMapped) {
    errorsMapped[errorKey].msg = errorsMapped[errorKey].msg[language];
  }

  return errorsMapped;
}

因为 accept-language 标头包含语言代码而不是语言名称,所以我们必须稍微修改消息对象:

const message = {
  'en-US': 'count must be between 1 and 1000',
  'zh-CH': 'count must be between 1 and 1000, but in chinese',
};

消息对象包含 accept-language 标头中的第一个语言代码,以使其正常工作。 handleLanguage 函数不处理错误。这只是一个展示如何完成的例子;不要直接使用它。

错误消息将更改为

{
    "errors": {
        "count": {
            "location": "query",
            "param": "count",
            "value": "-1",
            "msg": "count must be between 1 and 1000, but in chinese"
        }
    }
}

accept-language 中的第一种语言是zh-CH。

答案 1 :(得分:0)

现在可以使用express-validator v5.0.0 如果您传递withMessage()函数,将使用字段值,请求,位置和路径调用它。

来自the docs的示例:

check('something').isInt().withMessage((value, { req, location, path }) => {
  return req.translate('validation.message.path', { value, location, path });
}),