4

所以在 MVC 中使用 .NET Membership 系统时,密码策略是在 web.config 文件中定义的。例如 minPasswordLength 在membership->profiles 中定义。

使用视图时,可以使用@Membership组件访问

Passwords must be at least @Membership.MinRequiredPasswordLength characters long.

但是,如果您查看示例 MVC 应用程序中的默认模型,它会说

 [Required]
 [StringLength(100, ErrorMessage = "The {0} must be at least {2} characters long.", MinimumLength = 6)]
 [DataType(DataType.Password)]
 [Display(Name = "New Password")]
 public string NewPassword { get; set; }

我很好奇的部分是,MinimumLength = 6因为这是硬编码的,这意味着如果我想更新密码长度,我不仅需要编辑 web.config(就像微软建议的那样),还要搜索对它在源代码中并到处更改(可能不是最佳编程实践)。

有什么方法可以在属性中使用变量。我怀疑不会,因为这可能发生在编译时而不是运行时。如果没有人知道更好的模式来阻止我将来必须找到替换所有引用?

4

2 回答 2

8

这是一篇可以帮助您回答问题的文章。基本上,创建您自己的 DataAnnotation,从 web.config 中提取最小长度。

对于后代,这是引用站点中使用的代码:

[AttributeUsage(AttributeTargets.Property | AttributeTargets.Field | AttributeTargets.Parameter , AllowMultiple = false, Inherited = true)]
public sealed class MinRequiredPasswordLengthAttribute : ValidationAttribute, IClientValidatable
{                        
    private readonly int _minimumLength = Membership.MinRequiredPasswordLength;        
    public override string FormatErrorMessage(string name)
    {
        return String.Format(CultureInfo.CurrentCulture, ErrorMessageString, name, _minimumLength);
    } 
    public override bool IsValid(object value)
    {           
        string password = value.ToString();
        return password.Length >= this._minimumLength;            
    }        
    public IEnumerable<ModelClientValidationRule> GetClientValidationRules(ModelMetadata metadata, ControllerContext context)
    {
        return new[]{
            new ModelClientValidationStringLengthRule(FormatErrorMessage(metadata.GetDisplayName()), _minimumLength, int.MaxValue)
        };
    } 
}

在你的 ViewModel 上

[Required]        
[MinRequiredPasswordLength(ErrorMessage = "The {0} must be at least {1} character(s) long.")]           
[DataType(DataType.Password)]
[Display(Name = "Password")]
public string Password { get; set; }
于 2012-06-25T17:12:47.340 回答
1

如果您想要为您的验证属性提供可变参数,您将需要开发自己的属性并应用它。

也许称它为“MinLengthFromConfigFile”?

于 2012-06-25T17:12:41.327 回答