5

例如,我希望这个默认的 ASP.NET MVC 4 验证消息:The value 'qsdqsdqs' is not valid for Montant以法语显示。

我找到了这个包http://nuget.org/packages/Microsoft.AspNet.Mvc.fr/并安装了它,但我如何让它工作?

我添加<globalization culture="fr-FR" uiCulture="auto:fr" />到 web.config 并引用了 dll,但消息仍然是英文的

4

2 回答 2

11

首先,您应该将消息保存在资源文件中,如下所示:

Resources/ErrorMessages.resx // default messages
Resources/ErrorMessages.fr.resx // for french 

在服务器端,这很容易,您可以通过向模型添加属性来实现。这样做:

[Required(ErrorMessageResourceType = typeof(Resources.ErrorMessages), ErrorMessageResourceName = "FieldRequired")]

其中“FieldRequired”Resources.ErrorMessages中的字段之一

棘手的部分是当您希望客户端验证也能正常工作时。比您必须创建自己的属性类来扩展属性之一并实现 IClientValidatable

你是这样的:

public class CustomRequiredAttribute : RequiredAttribute, IClientValidatable
    {
        public override string FormatErrorMessage(string name)
        {
            return String.Format(ErrorMessages.FieldRequired, name);
        } 

        public IEnumerable<ModelClientValidationRule> GetClientValidationRules(ModelMetadata metadata, ControllerContext context)
        {
            var rule = new ModelClientValidationRequiredRule(String.Format(ErrorMessages.FieldRequired, metadata.DisplayName));
            return new[] { rule };
        }
    }

从现在开始,您在模型中使用 CustomRequired 而不是 Required。您也不必每次都指定消息。

编辑

现在我看到了您对 SynerCoder 答案的评论——您不想自己翻译消息。好吧,我认为这不是正确的方法。即使您找到可以为您翻译标准消息的内容,它也不会翻译任何自定义消息,因此您最终可能会混合使用两种方法。这通常会导致你不知道如何咬的魔法错误。我强烈建议您自己进行翻译(这没什么大不了的——大约 20 个左右?)。好处将是一个没有意外错误的灵活解决方案。

于 2013-02-05T14:24:18.247 回答
0

实际使用 ResX Manager。Visual Studio 菜单工具 -> 扩展和更新 -> 在在线工具中搜索“resx”。

借助它的助手,我的所有字符串都可以像“Res.SomeTranslatedString”一样访问。现在感谢以上所有人,让我们翻译一个布尔属性的注册视图模型消息,以检查用户是否接受了条款和条件。使用上述工具,我已将字符串放入Res.YouMustAcceptTermsAndConditions. 然后我们修改viewmodel代码:

曾是:

public class RegisterViewModel
{
    [Required]
    [Range(typeof(bool), "true", "true", ErrorMessage = "You must accept terms and conditions.")]
    [Display(Name = "Agree to terms.")]
    public bool AgreeTerms { get; set; }

成为:

public class RegisterViewModel
{
    [Required]
    [Range(typeof(bool), "true", "true", ErrorMessageResourceType = typeof(Res), ErrorMessageResourceName = "YouMustAcceptTermsAndConditions")]
    [Display(Name = "Agree to terms.")]
    public bool AgreeTerms { get; set; }

现在您看到我们的 [Display] 仍未翻译。解决方案在这里:https ://stackoverflow.com/a/3877154/7149454

于 2018-03-12T16:38:53.823 回答