Зміна серіалізатора проста, якщо ви використовуєте веб-API, але, на жаль, сам MVC використовує JavaScriptSerializer
без можливості змінити це для використання JSON.Net.
Відповідь Джеймса і відповідь Даніеля дати вам гнучкість JSON.Net , але означає , що всюди , де ви зазвичай робите , return Json(obj)
ви повинні змінити до return new JsonNetResult(obj)
або аналогічний , який , якщо у вас є великий проект може виявитися проблемою, а також не дуже гнучким , якщо Ви передумаєте про серіалізатор, який хочете використовувати.
Я вирішив піти по ActionFilter
маршруту. Наведений нижче код дозволяє виконувати будь-які дії, використовуючи JsonResult
та просто застосовуючи до нього атрибут, щоб використовувати JSON.Net (із малими властивостями):
[JsonNetFilter]
[HttpPost]
public ActionResult SomeJson()
{
return Json(new { Hello = "world" });
}
Ви навіть можете налаштувати це на автоматичне застосування до всіх дій (лише з незначним натисканням продуктивності is
перевірки):
FilterConfig.cs
filters.Add(new JsonNetFilterAttribute());
Кодекс
public class JsonNetFilterAttribute : ActionFilterAttribute
{
public override void OnActionExecuted(ActionExecutedContext filterContext)
{
if (filterContext.Result is JsonResult == false)
return;
filterContext.Result = new CustomJsonResult((JsonResult)filterContext.Result);
}
private class CustomJsonResult : JsonResult
{
public CustomJsonResult(JsonResult jsonResult)
{
this.ContentEncoding = jsonResult.ContentEncoding;
this.ContentType = jsonResult.ContentType;
this.Data = jsonResult.Data;
this.JsonRequestBehavior = jsonResult.JsonRequestBehavior;
this.MaxJsonLength = jsonResult.MaxJsonLength;
this.RecursionLimit = jsonResult.RecursionLimit;
}
public override void ExecuteResult(ControllerContext context)
{
if (context == null)
throw new ArgumentNullException("context");
if (this.JsonRequestBehavior == JsonRequestBehavior.DenyGet
&& String.Equals(context.HttpContext.Request.HttpMethod, "GET", StringComparison.OrdinalIgnoreCase))
throw new InvalidOperationException("GET not allowed! Change JsonRequestBehavior to AllowGet.");
var response = context.HttpContext.Response;
response.ContentType = String.IsNullOrEmpty(this.ContentType) ? "application/json" : this.ContentType;
if (this.ContentEncoding != null)
response.ContentEncoding = this.ContentEncoding;
if (this.Data != null)
{
var json = JsonConvert.SerializeObject(
this.Data,
new JsonSerializerSettings
{
ContractResolver = new CamelCasePropertyNamesContractResolver()
});
response.Write(json);
}
}
}
}