내 컨트롤러 작업 중 하나에서 매우 큰 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의 버그입니까?
내가 뭔가를 놓치고 있습니까?
어떤 도움을 주시면 감사하겠습니다.
답변
이것은 MVC4에서 수정 된 것으로 보입니다.
당신은 이것을 할 수 있습니다.
public ActionResult SomeControllerAction()
{
var jsonResult = Json(veryLargeCollection, JsonRequestBehavior.AllowGet);
jsonResult.MaxJsonLength = int.MaxValue;
return jsonResult;
}
답변
서브 클래 싱 대신 여기에 제안 된ContentResult
대로 사용할 수도 있습니다 .JsonResult
var serializer = new JavaScriptSerializer { MaxJsonLength = Int32.MaxValue, RecursionLimit = 100 };
return new ContentResult()
{
Content = serializer.Serialize(data),
ContentType = "application/json",
};
답변
불행히도 web.config 설정은 기본 JsonResult 구현에서 무시됩니다 . 따라서이 문제를 극복하려면 사용자 지정 json 결과를 구현해야 할 것 같습니다.
답변
맞춤 수업이 필요 없습니다. 이것이 필요한 전부입니다.
return new JsonResult { Data = Result, MaxJsonLength = Int32.MaxValue };
Result
직렬화하려는 데이터는 어디에 있습니까 ?
답변
Json.NET 을 사용하여 json
문자열 을 생성하는 경우 MaxJsonLength
값 을 설정할 필요가 없습니다 .
return new ContentResult()
{
Content = Newtonsoft.Json.JsonConvert.SerializeObject(data),
ContentType = "application/json",
};
답변
이 링크를 따라 문제를 해결했습니다.
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());
}
답변
아무도 결과 필터 사용을 제안하지 않은 것에 놀랐습니다. 이것은 작업 / 결과 파이프 라인에 전역 적으로 연결하는 가장 깨끗한 방법입니다.
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 });