JavaScriptSerializer 中 ASP.NET MVC 中的 MaxJsonLlength 异常

在我的一个控制器操作中,我返回一个非常大的 JsonResult来填充一个网格。

我得到了以下 InvalidOperationException异常:

使用 JSON JavaScriptSerializer 进行序列化或反序列化时出错。字符串的长度超过了 maxJsonLlength 属性上设置的值。

遗憾的是,将 web.config中的 maxJsonLength属性设置为更高的值不会显示任何效果。

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

我不想像 这个 SO 答案中提到的那样将它作为字符串传递回去。

在我的研究中,我偶然发现了一篇关于 这个的博客文章,其中建议写一篇自己的 ActionResult(例如 LargeJsonResult : JsonResult)来绕过这种行为。

这是唯一的解决办法吗?
这是 ASP.NET MVC 中的一个 bug 吗?
我错过了什么吗?

如果你能帮忙,我将不胜感激。

160694 次浏览

不幸的是,web.config 的设置是 被默认的 JsonResult 实现忽略。所以我想您需要实现一个自定义的 json 结果来克服这个问题。

您也可以使用 ContentResult作为 建议在这里,而不是子类化 JsonResult

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


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

看来 MVC4已经修好了。

你可以这样做,这对我很有效:

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

不需要自定义类,只需要:

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

其中 Result是要序列化的数据。

您可以尝试在 LINQ 表达式中只定义您需要的字段。

例子。假设您有一个带有 Id、 Name、 Phone 和 图片(字节数组)的 Model,并且需要从 json 加载到一个选择列表中。

LINQ 查询:

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

这里的问题是“ 选择你”获取所有字段。因此,如果你有大图片,轰。

如何解决? 非常,非常简单。

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

最佳实践是只选择您将要使用的字段。

请记住,这是一个简单的提示,但可以帮助许多 ASP.NET MVC 开发人员。

如果使用 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());
}

在代码返回 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 中定义了配置元素

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 appset 值 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;
}
}

直到我把动作改为 [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...");
}
});

这招对我很管用

        JsonSerializerSettings json = new JsonSerializerSettings
{
ReferenceLoopHandling = ReferenceLoopHandling.Ignore
};
var result = JsonConvert.SerializeObject(list, Formatting.Indented, json);
return new JsonResult { Data = result, MaxJsonLength = int.MaxValue };
    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
};
}

是我在 MVC4中的补救措施。

还有一点其他的情况-数据从客户端发送到服务器。 当你使用控制器的方法和模型是巨大的:

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

System 抛出如下异常: “使用 JSON JavaScriptSerializer 进行序列化或反序列化时出错。字符串的长度超过了 maxJsonLlength 属性上设置的值。参数名: input”

在这种情况下,仅仅更改 Web.config 设置是不够的。您还可以覆盖 mvcjson 序列化器,以支持庞大的数据模型大小,或者从 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);
}

如果要从控制器返回 view,并且希望在 cshtml 中用 json 编码时增加 view bag 数据的长度,那么可以将此代码放入 cshtml 中

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


var dataJsonOnActionGrid1 = @Html.Raw(userInfoJson);

现在,可以在 js 页面上访问 dataJsonOnActionGrid1,您将得到正确的结果。

谢谢

我很惊讶没有人建议使用结果过滤器。这是全局连接到操作/结果管道的最干净的方法:

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 });