Using JSON.NET to return ActionResult

This question already has an answer here:

  • Json.Net And ActionResult 2 answers

  • I found a similar stackoverflow question: Json.Net And ActionResult

    The answer there suggested using

    return Content( converted, "application/json" );
    

    That seems to work on my very simple page.


    Instead of serializing using JSON.NET and then calling Json() , why not instead override the Json() method in your controller (or perhaps a base controller to enhance its reusability)?

    This is pulled from this blog post.

    In your controller (or base controller):

    protected override JsonResult Json(object data, string contentType, System.Text.Encoding contentEncoding, JsonRequestBehavior behavior)
    {
        return new JsonNetResult
        {
            Data = data,
            ContentType = contentType,
            ContentEncoding = contentEncoding,
            JsonRequestBehavior = behavior
        };
    }
    

    And the definition for JsonNetResult:

    public class JsonNetResult : JsonResult
    {
        public JsonNetResult()
        {
            Settings = new JsonSerializerSettings
            {
                ReferenceLoopHandling = ReferenceLoopHandling.Ignore,
            };
        }
    
        public JsonSerializerSettings Settings { get; private set; }
    
        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("JSON GET is not allowed");
    
            HttpResponseBase 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)
                return;
    
            var scriptSerializer = JsonSerializer.Create(this.Settings);
    
            using (var sw = new StringWriter())
            {
                scriptSerializer.Serialize(sw, this.Data);
                response.Write(sw.ToString());
            }
        }
    }
    

    By doing this, when you call Json() in your controller, you will automatically get the JSON.NET serializing you want.

    链接地址: http://www.djcxy.com/p/48136.html

    上一篇: 更改WCF中的默认日期序列化

    下一篇: 使用JSON.NET返回ActionResult