JavaScriptSerializer 중 ASP.NET MVC의 MaxJsonLength 예외


122

내 컨트롤러 작업 중 하나에서 매우 큰 JsonResult 에서 그리드를 채우기 위해 것을 .

나는 다음을 얻고있다 InvalidOperationException 예외가 발생합니다.

JSON JavaScriptSerializer를 사용한 직렬화 또는 역 직렬화 중 오류가 발생했습니다. 문자열 길이가 maxJsonLength 속성에 설정된 값을 초과합니다.

안타깝게도 의 maxJsonLength속성을 web.config더 높은 값으로 설정해도 효과가 나타나지 않습니다.

<system.web.extensions>
  <scripting>
    <webServices>
      <jsonSerialization maxJsonLength="2147483644"/>
    </webServices>
  </scripting>
</system.web.extensions>

나는 이것 에서 언급 한 것처럼 문자열로 다시 전달하고 싶지 않습니다. SO 답변 .

내 연구에서 나는 자신의 글을 쓰는 블로그 게시물을 보았습니다 ActionResult(예 :LargeJsonResult : JsonResult 이 동작을 우회하기 위해 것이 권장 .

이것이 유일한 해결책입니까?
ASP.NET MVC의 버그입니까?
내가 뭔가를 놓치고 있습니까?

어떤 도움을 주시면 감사하겠습니다.


2
솔루션은 MVC 3에서 작동합니다.
MatteoSp 2013

1
@Matteo 확실합니까? 이것은 오래된 질문이며 기억할 수는 없지만 분명히 MVC3로 태그를 지정했습니다. 불행히도 수정 / 종료 된 버전 / 날짜를 볼 수 없습니다 : aspnet.codeplex.com/workitem/3436
Martin Buberl 2013

1
물론, 나는 MVC 3로 작업하고 있으며 작동합니다. 다행히 MVC 3에서는 허용 된 답변에 인용 된 "MaxJsonLength"속성이 없기 때문입니다.
MatteoSp 2011

답변:


228

이것은 MVC4에서 수정 된 것으로 보입니다.

당신은 이것을 할 수 있습니다.

public ActionResult SomeControllerAction()
{
  var jsonResult = Json(veryLargeCollection, JsonRequestBehavior.AllowGet);
  jsonResult.MaxJsonLength = int.MaxValue;
  return jsonResult;
}

ViewBag.MyJsonString 속성에 json 문자열을 설정하고 있지만 다음 자바 스크립트 줄의 런타임시 뷰에서 동일한 오류가 발생합니다. var myJsonObj = @ Html.Raw (Json.Encode (ViewBag.MyJsonString));
Faisal Mq 2013 년

1
안녕하세요 @orionedvards, @ GG, @ MartinBuberl 동일한 maxJson 문제에 직면하고 있지만 컨트롤러에 데이터를 게시 할 때 어떻게 처리 할 수 ​​있습니까? 이에 대해 검색하는 데 너무 많은 시간을 보냈습니다. 어떤 도움이라도 감사하겠습니다.
katmanco

제 경우에는 json이 컬렉션을 직렬화하기 전에 MaxJsonLength를 설정해야했기 때문에 작동하지 않았습니다.
César León

내 경우에는 잘 작동하지만 최종 사용자에게 표시 할 데이터 테이블의 "IMAGES"때문에 구현해야했습니다. 그것 없이는 이해할 수있는 메시지없이 그냥 충돌합니다.
Mauro Candido

33

서브 클래 싱 대신 여기에 제안 된ContentResult 대로 사용할 수도 있습니다 .JsonResult

var serializer = new JavaScriptSerializer { MaxJsonLength = Int32.MaxValue, RecursionLimit = 100 };

return new ContentResult()
{
    Content = serializer.Serialize(data),
    ContentType = "application/json",
};

2
제 경우에는 일회용 앱에서 작업 할 때이 솔루션이 가장 적합했습니다. jsonresult 구현을 저장했습니다. 감사!
Christo


22

맞춤 수업이 필요 없습니다. 이것이 필요한 전부입니다.

return new JsonResult { Data = Result, MaxJsonLength = Int32.MaxValue };

Result직렬화하려는 데이터는 어디에 있습니까 ?


오류 137 'System.Web.Mvc.JsonResult'에 'MaxJsonLength'에 대한 정의가 포함되어 있지 않습니다
PUG

JsonRequestBehavior = JsonRequestBehavior.AllowGet : 나를 위해 일한이는, 그러나 여전히 추가 할 필요
DubMan

5

Json.NET 을 사용하여 json문자열 을 생성하는 경우 MaxJsonLength값 을 설정할 필요가 없습니다 .

return new ContentResult()
{
    Content = Newtonsoft.Json.JsonConvert.SerializeObject(data),
    ContentType = "application/json",
};

4

링크를 따라 문제를 해결했습니다.

namespace System.Web.Mvc
{
public sealed class JsonDotNetValueProviderFactory : ValueProviderFactory
{
    public override IValueProvider GetValueProvider(ControllerContext controllerContext)
    {
        if (controllerContext == null)
            throw new ArgumentNullException("controllerContext");

        if (!controllerContext.HttpContext.Request.ContentType.StartsWith("application/json", StringComparison.OrdinalIgnoreCase))
            return null;

        var reader = new StreamReader(controllerContext.HttpContext.Request.InputStream);
        var bodyText = reader.ReadToEnd();

        return String.IsNullOrEmpty(bodyText) ? null : new DictionaryValueProvider<object>(JsonConvert.DeserializeObject<ExpandoObject>(bodyText, new ExpandoObjectConverter()), CultureInfo.CurrentCulture);
    }
}

}

protected void Application_Start()
    {
        AreaRegistration.RegisterAllAreas();

        RegisterGlobalFilters(GlobalFilters.Filters);
        RegisterRoutes(RouteTable.Routes);

        //Remove and JsonValueProviderFactory and add JsonDotNetValueProviderFactory
        ValueProviderFactories.Factories.Remove(ValueProviderFactories.Factories.OfType<JsonValueProviderFactory>().FirstOrDefault());
        ValueProviderFactories.Factories.Add(new JsonDotNetValueProviderFactory());
    }

3

아무도 결과 필터 사용을 제안하지 않은 것에 놀랐습니다. 이것은 작업 / 결과 파이프 라인에 전역 적으로 연결하는 가장 깨끗한 방법입니다.

public class JsonResultFilter : IResultFilter
{
    public int? MaxJsonLength { get; set; }

    public int? RecursionLimit { get; set; }

    public void OnResultExecuting(ResultExecutingContext filterContext)
    {
        if (filterContext.Result is JsonResult jsonResult)
        {
            // override properties only if they're not set
            jsonResult.MaxJsonLength = jsonResult.MaxJsonLength ?? MaxJsonLength;
            jsonResult.RecursionLimit = jsonResult.RecursionLimit ?? RecursionLimit;
        }
    }

    public void OnResultExecuted(ResultExecutedContext filterContext)
    {
    }
}

그런 다음 다음을 사용하여 해당 클래스의 인스턴스를 등록합니다 GlobalFilters.Filters.

GlobalFilters.Filters.Add(new JsonResultFilter { MaxJsonLength = int.MaxValue });

2

필요한 필드 만 LINQ 식에서 정의 할 수 있습니다.

예. ID, 이름, 전화 및 사진 (바이트 배열) 이있는 모델이 있고 json에서 선택 목록으로로드해야한다고 가정 해보십시오.

LINQ 쿼리 :

var listItems = (from u in Users where u.name.Contains(term) select u).ToList();

여기서 문제는 모든 필드를 가져 오는 " select u "입니다. 그러니 큰 그림이 있다면 부움.

해결하는 방법? 아주 아주 간단합니다.

var listItems = (from u in Users where u.name.Contains(term) select new {u.Id, u.Name}).ToList();

가장 좋은 방법은 사용할 필드 만 선택하는 것입니다.

생각해 내다. 이것은 간단한 팁이지만 많은 ASP.NET MVC 개발자에게 도움이 될 수 있습니다.


1
이 경우 사용자가 데이터를 필터링하기를 원한다고 가정하지 않습니다. 어떤 사람들은 ... 데이터베이스에서 행의 많은 양을 다시 가져올 요구 사항
사이먼 니콜스

2

대체 ASP.NET MVC 5 수정 :

제 경우에는 요청 중에 오류가 발생했습니다. 내 시나리오에서 가장 좋은 방법 JsonValueProviderFactory은 글로벌 프로젝트에 수정 사항을 적용 하는 실제 를 수정하는 것이며 global.cs파일을 편집하여 수행 할 수 있습니다 .

JsonValueProviderConfig.Config(ValueProviderFactories.Factories);

web.config 항목을 추가하십시오.

<add key="aspnet:MaxJsonLength" value="20971520" />

다음 두 개의 클래스를 만듭니다.

public class JsonValueProviderConfig
{
    public static void Config(ValueProviderFactoryCollection factories)
    {
        var jsonProviderFactory = factories.OfType<JsonValueProviderFactory>().Single();
        factories.Remove(jsonProviderFactory);
        factories.Add(new CustomJsonValueProviderFactory());
    }
}

이것은 기본적으로에서 발견 된 기본 구현의 정확한 사본 System.Web.Mvc이지만 구성 가능한 web.config appsetting 값이 추가 aspnet:MaxJsonLength됩니다.

public class CustomJsonValueProviderFactory : ValueProviderFactory
{

    /// <summary>Returns a JSON value-provider object for the specified controller context.</summary>
    /// <returns>A JSON value-provider object for the specified controller context.</returns>
    /// <param name="controllerContext">The controller context.</param>
    public override IValueProvider GetValueProvider(ControllerContext controllerContext)
    {
        if (controllerContext == null)
            throw new ArgumentNullException("controllerContext");

        object deserializedObject = CustomJsonValueProviderFactory.GetDeserializedObject(controllerContext);
        if (deserializedObject == null)
            return null;

        Dictionary<string, object> strs = new Dictionary<string, object>(StringComparer.OrdinalIgnoreCase);
        CustomJsonValueProviderFactory.AddToBackingStore(new CustomJsonValueProviderFactory.EntryLimitedDictionary(strs), string.Empty, deserializedObject);

        return new DictionaryValueProvider<object>(strs, CultureInfo.CurrentCulture);
    }

    private static object GetDeserializedObject(ControllerContext controllerContext)
    {
        if (!controllerContext.HttpContext.Request.ContentType.StartsWith("application/json", StringComparison.OrdinalIgnoreCase))
            return null;

        string fullStreamString = (new StreamReader(controllerContext.HttpContext.Request.InputStream)).ReadToEnd();
        if (string.IsNullOrEmpty(fullStreamString))
            return null;

        var serializer = new JavaScriptSerializer()
        {
            MaxJsonLength = CustomJsonValueProviderFactory.GetMaxJsonLength()
        };
        return serializer.DeserializeObject(fullStreamString);
    }

    private static void AddToBackingStore(EntryLimitedDictionary backingStore, string prefix, object value)
    {
        IDictionary<string, object> strs = value as IDictionary<string, object>;
        if (strs != null)
        {
            foreach (KeyValuePair<string, object> keyValuePair in strs)
                CustomJsonValueProviderFactory.AddToBackingStore(backingStore, CustomJsonValueProviderFactory.MakePropertyKey(prefix, keyValuePair.Key), keyValuePair.Value);

            return;
        }

        IList lists = value as IList;
        if (lists == null)
        {
            backingStore.Add(prefix, value);
            return;
        }

        for (int i = 0; i < lists.Count; i++)
        {
            CustomJsonValueProviderFactory.AddToBackingStore(backingStore, CustomJsonValueProviderFactory.MakeArrayKey(prefix, i), lists[i]);
        }
    }

    private class EntryLimitedDictionary
    {
        private static int _maximumDepth;

        private readonly IDictionary<string, object> _innerDictionary;

        private int _itemCount;

        static EntryLimitedDictionary()
        {
            _maximumDepth = CustomJsonValueProviderFactory.GetMaximumDepth();
        }

        public EntryLimitedDictionary(IDictionary<string, object> innerDictionary)
        {
            this._innerDictionary = innerDictionary;
        }

        public void Add(string key, object value)
        {
            int num = this._itemCount + 1;
            this._itemCount = num;
            if (num > _maximumDepth)
            {
                throw new InvalidOperationException("The length of the string exceeds the value set on the maxJsonLength property.");
            }
            this._innerDictionary.Add(key, value);
        }
    }

    private static string MakeArrayKey(string prefix, int index)
    {
        return string.Concat(prefix, "[", index.ToString(CultureInfo.InvariantCulture), "]");
    }

    private static string MakePropertyKey(string prefix, string propertyName)
    {
        if (string.IsNullOrEmpty(prefix))
        {
            return propertyName;
        }
        return string.Concat(prefix, ".", propertyName);
    }

    private static int GetMaximumDepth()
    {
        int num;
        NameValueCollection appSettings = ConfigurationManager.AppSettings;
        if (appSettings != null)
        {
            string[] values = appSettings.GetValues("aspnet:MaxJsonDeserializerMembers");
            if (values != null && values.Length != 0 && int.TryParse(values[0], out num))
            {
                return num;
            }
        }
        return 1000;
    }

    private static int GetMaxJsonLength()
    {
        int num;
        NameValueCollection appSettings = ConfigurationManager.AppSettings;
        if (appSettings != null)
        {
            string[] values = appSettings.GetValues("aspnet:MaxJsonLength");
            if (values != null && values.Length != 0 && int.TryParse(values[0], out num))
            {
                return num;
            }
        }
        return 1000;
    }
}

정말 고맙습니다 !
larizzatg

1

위의 어느 것도 액션을 [HttpPost]. ajax 유형을 POST.

    [HttpPost]
    public JsonResult GetSelectedSignalData(string signal1,...)
    {
         JsonResult result = new JsonResult();
         var signalData = GetTheData();
         try
         {
              var serializer = new System.Web.Script.Serialization.JavaScriptSerializer { MaxJsonLength = Int32.MaxValue, RecursionLimit = 100 };

            result.Data = serializer.Serialize(signalData);
            return Json(result, JsonRequestBehavior.AllowGet);
            ..
            ..
            ...

    }

그리고 ajax 호출은

$.ajax({
    type: "POST",
    url: some_url,
    data: JSON.stringify({  signal1: signal1,.. }),
    contentType: "application/json; charset=utf-8",
    success: function (data) {
        if (data !== null) {
            setValue();
        }

    },
    failure: function (data) {
        $('#errMessage').text("Error...");
    },
    error: function (data) {
        $('#errMessage').text("Error...");
    }
});

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

MVC 4의 수정 사항이었습니다.


0

코드가 JsonResult 객체를 반환하기 전에 구성 섹션에서 수동으로 읽어야합니다. web.config에서 한 줄로 읽기만하면됩니다.

        var jsonResult = Json(resultsForAjaxUI);
        jsonResult.MaxJsonLength = (ConfigurationManager.GetSection("system.web.extensions/scripting/webServices/jsonSerialization") as System.Web.Configuration.ScriptingJsonSerializationSection).MaxJsonLength;
        return jsonResult;

web.config에서 구성 요소를 정의했는지 확인하십시오.


0

이것은 나를 위해 일했다

        JsonSerializerSettings json = new JsonSerializerSettings
        {
            ReferenceLoopHandling = ReferenceLoopHandling.Ignore
        };
        var result = JsonConvert.SerializeObject(list, Formatting.Indented, json);
        return new JsonResult { Data = result, MaxJsonLength = int.MaxValue };

0

다른 경우가 있습니다-데이터는 클라이언트에서 서버로 전송됩니다. 컨트롤러 방법을 사용하고 모델이 큰 경우 :

    [HttpPost]
    public ActionResult AddOrUpdateConsumerFile(FileMetaDataModelView inputModel)
    {
        if (inputModel == null) return null;
     ....
    }

시스템에서 "JSON JavaScriptSerializer를 사용하여 직렬화 또는 직렬화 해제 중 오류가 발생했습니다. 문자열 길이가 maxJsonLength 속성에 설정된 값을 초과합니다. 매개 변수 이름 : 입력"과 같은 예외가 발생합니다.

Web.config 설정 만 변경하는 것만으로는이 경우에 도움이되지 않습니다. 대규모 데이터 모델 크기를 지원하기 위해 mvc json serializer를 추가로 재정의하거나 Request에서 모델을 수동으로 역 직렬화 할 수 있습니다. 컨트롤러 방법은 다음과 같습니다.

   [HttpPost]
    public ActionResult AddOrUpdateConsumerFile()
    {
        FileMetaDataModelView inputModel = RequestManager.GetModelFromJsonRequest<FileMetaDataModelView>(HttpContext.Request);
        if (inputModel == null) return null;
        ......
    }

   public static T GetModelFromJsonRequest<T>(HttpRequestBase request)
    {
        string result = "";
        using (Stream req = request.InputStream)
        {
            req.Seek(0, System.IO.SeekOrigin.Begin);
            result = new StreamReader(req).ReadToEnd();
        }
        return JsonConvert.DeserializeObject<T>(result);
    }

0

컨트롤러에서 뷰를 반환하고 cshtml에서 json으로 인코딩하는 동안 뷰 백 데이터의 길이를 늘리려면이 코드를 cshtml에 넣을 수 있습니다.

@{
    var jss = new System.Web.Script.Serialization.JavaScriptSerializer();
    jss.MaxJsonLength = Int32.MaxValue;
    var userInfoJson = jss.Serialize(ViewBag.ActionObj);
}

var dataJsonOnActionGrid1 = @Html.Raw(userInfoJson);

지금, dataJsonOnActionGrid1 js 페이지에서 액세스 할 수 있으며 적절한 결과를 얻을 수 있습니다.

감사

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.