Web API JavaScriptSerializer
を使用している場合、シリアライザーの変更は簡単ですが、残念ながら、MVC自体がJSON.Netを使用するように変更するオプションなしで使用しています。
Jamesの回答とDanielの回答はJSON.Netの柔軟性を提供しますが、通常はどこにでもreturn Json(obj)
変更するreturn new JsonNetResult(obj)
必要があることを意味します。これは、大きなプロジェクトがある場合に問題を証明する可能性があり、以下の場合にはあまり柔軟性がありません。使用したいシリアライザを変更します。
ActionFilter
ルートを下ることにした。以下のコードJsonResult
を使用すると、JSON.Net(小文字のプロパティを使用)を使用して属性を適用し、属性を適用できます。
[JsonNetFilter]
[HttpPost]
public ActionResult SomeJson()
{
return Json(new { Hello = "world" });
}
// outputs: { "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);
}
}
}
}