从ModelState中删除JSON.net序列化异常
本文关键字:net 序列化 异常 JSON 删除 ModelState | 更新日期: 2023-09-27 18:03:19
问题背景
为了避免重复验证逻辑,我采用了将服务器端ModelState
错误推送到视图模型(MVVM KnockoutJS(的模式。
因此,按照惯例,我的KO
ViewModel上的属性名称与我的Api公开和期望的属性相匹配,因此我可以使用我编写的一个小Knockout插件轻松地将一个映射到另一个。
<validation-summary params="vm: $data, class: 'alert alert-error'"></validation-summary>
...
<div class="control-group" data-bind="errorCss: {'error': spend }">
<label class="control-label" for="spend">Spend</label>
<div class="controls">
<div class="input-prepend">
<span class="add-on">$</span>
<input type="text" data-bind="value: spend" id="spend" class="input-medium" placeholder="Spend USD" />
</div>
<validation-message params="bind: spend, class: 'text-error'"></validation-message>
</div>
</div>
问题
对我来说,问题是当JSON.Net串行化我通过和AJAX发送的JSON时,当它遇到异常时,它会将其添加到ModelError
类上的ModelState
和Exception
中。
示例响应:
{
"message": "The request is invalid.",
"modelState": {
"cmd.spend": [
"Error converting value '"ii'" to type 'System.Double'. Path 'spend', line 1, position 13.",
"'Spend' must be greater than '0'."
],
"cmd.Title": [
"'Title' should not be empty."
]
}
}
问题是,这条消息并没有给出一个很好的用户体验:
Error converting value "ii" to type 'System.Double'. Path 'spend', line 1, position 13.
事实上,我无法将此异常消息与验证消息分开,因为它们都在一个数组中。
我更愿意删除它,并在我的ValidationClass 中处理此事
我可以像这样手动删除它们,这是在ActionFilter中,所以我只有一次。
public class ValidateCommandAttribute : ActionFilterAttribute
{
public override void OnActionExecuting(HttpActionContext actionContext)
{
ModelStateDictionary modelState = actionContext.ModelState;
#if !DEBUG
for (int i = 0; i < modelState.Values.Count; i++)
{
ModelErrorCollection errors = modelState.ElementAt(i).Value.Errors;
for (int i2 = 0; i2 < errors.Count; i2++)
{
ModelError error = errors.ElementAt(i2);
if (error.Exception != null)
{
// TODO: Add Log4Net Here
errors.RemoveAt(i2);
}
}
}
#endif
if (!modelState.IsValid)
actionContext.Response = actionContext.Request.CreateErrorResponse(HttpStatusCode.BadRequest, modelState);
}
}
我知道JSON.Net是高度可配置的,我想知道API中是否有可以关闭或抑制它的地方?
您可以设置一个错误处理程序。例如(来自json.net文档(,
List<string> errors = new List<string>();
List<DateTime> c = JsonConvert.DeserializeObject<List<DateTime>>(@"[
'2009-09-09T00:00:00Z',
'I am not a date and will error!',
[
1
],
'1977-02-20T00:00:00Z',
null,
'2000-12-01T00:00:00Z'
]",
new JsonSerializerSettings
{
Error = delegate(object sender, ErrorEventArgs args)
{
errors.Add(args.ErrorContext.Error.Message);
args.ErrorContext.Handled = true;
},
Converters = { new IsoDateTimeConverter() }
});
// 2009-09-09T00:00:00Z
// 1977-02-20T00:00:00Z
// 2000-12-01T00:00:00Z
// The string was not recognized as a valid DateTime. There is a unknown word starting at index 0.
// Unexpected token parsing date. Expected String, got StartArray.
// Cannot convert null value to System.DateTime.