14

我正在为某个 viewModel 属性开发客户端和服务器端验证。

.cshtml文件中我放了这个:

@Html.DropDownListFor(model => model.EntityType.ParentId, Model.ParentTypeList, "")
@Html.ValidationMessageFor(model => model.EntityType.ParentId)

在控制器中进行业务验证

catch (BusinessException e)
{
    ModelState.AddModelError("EntityType.ParentId", Messages.CircularReference);
}

以上按预期工作:如果捕获到异常,则该消息会出现在下拉列表旁边。

但是,我发现这种方式不是很优雅。在 中cshtml,我使用一种方法来生成有关验证的所有必需信息。在控制器中,我必须知道确切的 Key 字符串并使用它。

难道没有更好的方法来做到这一点吗?

4

3 回答 3

24

您可以编写一个扩展方法,该方法将 lambda 表达式作为键而不是字符串:

public static class ModelStateExtensions
{
    public static void AddModelError<TModel, TProperty>(
        this ModelStateDictionary modelState, 
        Expression<Func<TModel, TProperty>> ex, 
        string message
    )
    {
        var key = ExpressionHelper.GetExpressionText(ex);
        modelState.AddModelError(key, message);
    }
}

然后使用这个方法:

catch (BusinessException e)
{
    ModelState.AddModelError<MyViewModel, int>(
        x => x.EntityType.ParentId, 
        Messages.CircularReference
    );
}
于 2012-10-02T11:39:38.257 回答
4

我遵循@Darin Dimitrov解决方案,但我想避免<MyViewModel, int>,所以我使用了一些不同的方式,但为此你需要MyViewModel object variable.

public static class ModelStateExtensions
{
    public static void AddModelError<TModel, TProperty>(this TModel source,        
                                                    Expression<Func<TModel, TProperty>> ex, 
                                                    string message,
                                                    ModelStateDictionary modelState)
    {
        var key = System.Web.Mvc.ExpressionHelper.GetExpressionText(ex);
        modelState.AddModelError(key, message);
    }
}

如何使用:

catch (BusinessException e)
{
    objMyViewModel.AddModelError(x => x.EntityType.ParentId, 
                                 Messages.CircularReference,
                                 ModelState);
}
于 2015-11-17T10:50:00.087 回答
-1

您希望验证在客户端和服务器端都发生,并且您正在寻找一个优雅的解决方案,那么为什么可以尝试创建自定义ValidationAttribute.

于 2012-10-02T12:37:57.260 回答