提问人:Prasad 提问时间:7/20/2009 最后编辑:Jim G.Prasad 更新时间:11/12/2022 访问量:774117
我可以在web.config中为maxJsonLength设置无限长度吗?
Can I set an unlimited length for maxJsonLength in web.config?
问:
我正在使用jQuery的自动完成功能。当我尝试检索超过 17000 条记录的列表(每条记录的长度不超过 10 个字符)时,它超出了长度并引发错误:
异常信息:异常类型:
InvalidOperationException
异常消息:使用 JSON JavaScriptSerializer 进行序列化或反序列化期间出错。字符串的长度超出了在 maxJsonLength 属性上设置的值。
我可以为 in 设置无限长度吗?如果没有,我可以设置的最大长度是多少?maxJsonLength
web.config
答:
注意:此答案仅适用于 Web 服务,如果您从 Controller 方法返回 JSON,请确保您也阅读了下面的 SO 答案: https://stackoverflow.com/a/7207539/1246870
MaxJsonLength 属性不能是无限制的,是一个默认为 102400 (100k) 的整数属性。
可以在 web.config 上设置属性:MaxJsonLength
<configuration>
<system.web.extensions>
<scripting>
<webServices>
<jsonSerialization maxJsonLength="50000000"/>
</webServices>
</scripting>
</system.web.extensions>
</configuration>
评论
2147483647
return Json()
可以在 web.config 文件中配置 json 请求的最大长度:You can configure the maximum length for json requests in your web.config file:
<configuration>
<system.web.extensions>
<scripting>
<webServices>
<jsonSerialization maxJsonLength="....">
</jsonSerialization>
</webServices>
</scripting>
</system.web.extensions>
</configuration>
maxJsonLength 的默认值为 102400。有关详细信息,请参阅此 MSDN 页面:http://msdn.microsoft.com/en-us/library/bb763183.aspx
评论
真正的问题是你是否真的需要返回 17k 记录?您打算如何处理浏览器中的所有数据?无论如何,用户都不会滚动浏览 17000 行。
更好的方法是仅检索“前几条”记录,并根据需要加载更多记录。
评论
似乎没有“无限”的价值。默认值为 2097152 个字符,相当于 4 MB 的 Unicode 字符串数据。
如前所述,17,000 条记录很难在浏览器中很好地使用。如果要显示聚合视图,则在服务器上进行聚合并在浏览器中仅传输摘要可能会更有效。例如,考虑一个文件系统浏览器,我们只看到树的顶部,然后在向下钻取时发出进一步的请求。每个请求中返回的记录数相对较小。树视图演示可以很好地用于大型结果集。
评论
如果在 web.config 中实现上述添加后,出现“无法识别的配置部分 system.web.extensions”错误,请尝试将其添加到以下部分的 web.config 中:<ConfigSections>
<sectionGroup name="system.web.extensions" type="System.Web.Extensions">
<sectionGroup name="scripting" type="System.Web.Extensions">
<sectionGroup name="webServices" type="System.Web.Extensions">
<section name="jsonSerialization" type="System.Web.Extensions"/>
</sectionGroup>
</sectionGroup>
</sectionGroup>
评论
<section name="jsonSerialization" type="System.Web.Configuration.ScriptingJsonSerializationSection, System.Web.Extensions, Version=3.5.0.0, Culture=neutral, PublicKeyToken=31BF3856AD364E35" requirePermission="false" allowDefinition="Everywhere"/>
如果您使用的是 MVC 4,请务必查看此答案。
如果您仍然收到错误:
- 在 web.config 中将属性设置为其最大值后
maxJsonLength
- 并且您知道数据的长度小于此值
- 并且您没有使用 Web 服务方法进行 JavaScript 序列化
您的问题可能是:
MaxJsonLength 属性的值仅适用于异步通信层用于调用 Web 服务方法的内部 JavaScriptSerializer 实例。(MSDN:ScriptingJsonSerializationSection.MaxJsonLength 属性)
基本上,“内部”尊重从 Web 方法调用时的值;直接使用(或通过 MVC 操作方法/控制器使用)不尊重该属性,至少不尊重 web.config 部分。特别是,Controller.Json()
方法不遵循配置设置!JavaScriptSerializer
maxJsonLength
JavaScriptSerializer
maxJsonLength
systemWebExtensions.scripting.webServices.jsonSerialization
作为解决方法,您可以在控制器(或实际的任何地方)执行以下操作:
var serializer = new JavaScriptSerializer();
// For simplicity just use Int32's max value.
// You could always read the value from the config section mentioned above.
serializer.MaxJsonLength = Int32.MaxValue;
var resultData = new { Value = "foo", Text = "var" };
var result = new ContentResult{
Content = serializer.Serialize(resultData),
ContentType = "application/json"
};
return result;
这个答案是我对这个 asp.net 论坛答案的解释。
评论
我修好了。
//your Json data here
string json_object="........";
JavaScriptSerializer jsJson = new JavaScriptSerializer();
jsJson.MaxJsonLength = 2147483644;
MyClass obj = jsJson.Deserialize<MyClass>(json_object);
它工作得很好。
评论
在 MVC 4 中,您可以执行以下操作:
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
};
}
在您的控制器中。
加法:
对于任何对您需要指定的参数感到困惑的人,调用可能如下所示:
Json(
new {
field1 = true,
field2 = "value"
},
"application/json",
Encoding.UTF8,
JsonRequestBehavior.AllowGet
);
评论
您可以像其他人所说的那样在配置中设置它,也可以在序列化程序的单个实例上进行设置,例如:
var js = new JavaScriptSerializer() { MaxJsonLength = int.MaxValue };
对于那些在 MVC3 中使用 JSON 时遇到问题的人,该 JSON 会自动为模型绑定器反序列化并且太大,这里有一个解决方案。
- 将 MVC3 源代码中的 JsonValueProviderFactory 类的代码复制到新类中。
- 添加一行以更改对象反序列化之前的最大 JSON 长度。
- 将 JsonValueProviderFactory 类替换为修改后的新类。
感谢 http://blog.naver.com/techshare/100145191355 和 https://gist.github.com/DalSoft/1588818 为我指明了正确的方向。第一个站点上的最后一个链接包含解决方案的完整源代码。
刚刚遇到了这个。我收到了 6,000 多条记录。刚刚决定我只做一些寻呼。例如,我接受MVC JsonResult端点中的页码,该页码默认为0,因此没有必要,如下所示:
public JsonResult MyObjects(int pageNumber = 0)
然后而不是说:
return Json(_repository.MyObjects.ToList(), JsonRequestBehavior.AllowGet);
我说:
return Json(_repository.MyObjects.OrderBy(obj => obj.ID).Skip(1000 * pageNumber).Take(1000).ToList(), JsonRequestBehavior.AllowGet);
这很简单。然后,在 JavaScript 中,而不是这样:
function myAJAXCallback(items) {
// Do stuff here
}
我改说:
var pageNumber = 0;
function myAJAXCallback(items) {
if(items.length == 1000)
// Call same endpoint but add this to the end: '?pageNumber=' + ++pageNumber
}
// Do stuff here
}
并将您的记录附加到您最初对它们所做的任何事情中。或者等到所有调用结束,然后将结果拼凑在一起。
如果从 MVC 中的 MiniProfiler 收到此错误,则可以通过将属性设置为所需值来增加该值。默认情况下,此工具似乎会忽略配置中设置的值。MiniProfiler.Settings.MaxJsonResponseSize
MiniProfiler.Settings.MaxJsonResponseSize = 104857600;
由 mvc-mini-profiler 友情提供。
我在 ASP.NET Web Forms中遇到了这个问题。它完全忽略了web.config文件设置,所以我这样做了:
JavaScriptSerializer serializer = new JavaScriptSerializer();
serializer.MaxJsonLength = Int32.MaxValue;
return serializer.Serialize(response);
当然,总的来说,这是可怕的做法。如果要在 Web 服务调用中发送如此多的数据,则应考虑其他方法。
评论
我解决了添加以下代码的问题:
String confString = HttpContext.Current.Request.ApplicationPath.ToString();
Configuration conf = WebConfigurationManager.OpenWebConfiguration(confString);
ScriptingJsonSerializationSection section = (ScriptingJsonSerializationSection)conf.GetSection("system.web.extensions/scripting/webServices/jsonSerialization");
section.MaxJsonLength = 6553600;
conf.Save();
评论
string confString = HttpContext.Request.ApplicationPath.ToString(); var conf = System.Web.Configuration.WebConfigurationManager.OpenWebConfiguration(confString); var section = (System.Web.Configuration.ScriptingJsonSerializationSection)conf.GetSection("system.web.extensions/scripting/webServices/jsonSerialization"); section.MaxJsonLength = int.MaxValue; conf.Save();
您可以将此行写入 Controller
json.MaxJsonLength = 2147483644;
您也可以将此行写入web.config
<configuration>
<system.web.extensions>
<scripting>
<webServices>
<jsonSerialization maxJsonLength="2147483647">
</jsonSerialization>
</webServices>
</scripting>
</system.web.extensions>
`
为了安全起见,请同时使用两者。
评论
用lib\Newtonsoft.Json.dll
public string serializeObj(dynamic json) {
return JsonConvert.SerializeObject(json);
}
WebForms UpdatePanel 的解决方案:
向 Web.config 添加设置:
<configuration>
<appSettings>
<add key="aspnet:UpdatePanelMaxScriptLength" value="2147483647" />
</appSettings>
</configuration>
https://support.microsoft.com/en-us/kb/981884
ScriptRegistrationManager
类包含以下代码:
// Serialize the attributes to JSON and write them out
JavaScriptSerializer serializer = new JavaScriptSerializer();
// Dev10# 877767 - Allow configurable UpdatePanel script block length
// The default is JavaScriptSerializer.DefaultMaxJsonLength
if (AppSettings.UpdatePanelMaxScriptLength > 0) {
serializer.MaxJsonLength = AppSettings.UpdatePanelMaxScriptLength;
}
string attrText = serializer.Serialize(attrs);
如果在 web.config 设置后仍然收到错误,如下所示:
<configuration>
<system.web.extensions>
<scripting>
<webServices>
<jsonSerialization maxJsonLength="50000000"/>
</webServices>
</scripting>
</system.web.extensions>
</configuration>
我通过以下方式解决了它:
public ActionResult/JsonResult getData()
{
var jsonResult = Json(superlargedata, JsonRequestBehavior.AllowGet);
jsonResult.MaxJsonLength = int.MaxValue;
return jsonResult;
}
我希望这应该会有所帮助。
评论
我建议将其设置为Int32.MaxValue。
JavaScriptSerializer serializer = new JavaScriptSerializer();
serializer.MaxJsonLength = Int32.MaxValue;
评论
如果这个 maxJsonLength 值是 int,那么它的 int 32bit/64bit/16bit 有多大......我只想确定我可以设置为我的 maxJsonLength 的最大值是多少
<scripting>
<webServices>
<jsonSerialization maxJsonLength="2147483647">
</jsonSerialization>
</webServices>
</scripting>
我按照 vestigal 的回答得到了这个解决方案:
当我需要将一个大的 json 发布到控制器中的操作时,我会得到著名的“使用 JSON JavaScriptSerializer 反序列化期间出错。字符串的长度超出了在 maxJsonLength 属性上设置的值。\r\n参数名称:输入值提供程序”。
我所做的是创建一个新的 ValueProviderFactory,LargeJsonValueProviderFactory,并在 GetDeserializedObject 方法中设置 MaxJsonLength = Int32.MaxValue
public sealed class LargeJsonValueProviderFactory : ValueProviderFactory
{
private static void AddToBackingStore(LargeJsonValueProviderFactory.EntryLimitedDictionary backingStore, string prefix, object value)
{
IDictionary<string, object> dictionary = value as IDictionary<string, object>;
if (dictionary != null)
{
foreach (KeyValuePair<string, object> keyValuePair in (IEnumerable<KeyValuePair<string, object>>) dictionary)
LargeJsonValueProviderFactory.AddToBackingStore(backingStore, LargeJsonValueProviderFactory.MakePropertyKey(prefix, keyValuePair.Key), keyValuePair.Value);
}
else
{
IList list = value as IList;
if (list != null)
{
for (int index = 0; index < list.Count; ++index)
LargeJsonValueProviderFactory.AddToBackingStore(backingStore, LargeJsonValueProviderFactory.MakeArrayKey(prefix, index), list[index]);
}
else
backingStore.Add(prefix, value);
}
}
private static object GetDeserializedObject(ControllerContext controllerContext)
{
if (!controllerContext.HttpContext.Request.ContentType.StartsWith("application/json", StringComparison.OrdinalIgnoreCase))
return (object) null;
string end = new StreamReader(controllerContext.HttpContext.Request.InputStream).ReadToEnd();
if (string.IsNullOrEmpty(end))
return (object) null;
var serializer = new JavaScriptSerializer {MaxJsonLength = Int32.MaxValue};
return serializer.DeserializeObject(end);
}
/// <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 = LargeJsonValueProviderFactory.GetDeserializedObject(controllerContext);
if (deserializedObject == null)
return (IValueProvider) null;
Dictionary<string, object> dictionary = new Dictionary<string, object>((IEqualityComparer<string>) StringComparer.OrdinalIgnoreCase);
LargeJsonValueProviderFactory.AddToBackingStore(new LargeJsonValueProviderFactory.EntryLimitedDictionary((IDictionary<string, object>) dictionary), string.Empty, deserializedObject);
return (IValueProvider) new DictionaryValueProvider<object>((IDictionary<string, object>) dictionary, CultureInfo.CurrentCulture);
}
private static string MakeArrayKey(string prefix, int index)
{
return prefix + "[" + index.ToString((IFormatProvider) CultureInfo.InvariantCulture) + "]";
}
private static string MakePropertyKey(string prefix, string propertyName)
{
if (!string.IsNullOrEmpty(prefix))
return prefix + "." + propertyName;
return propertyName;
}
private class EntryLimitedDictionary
{
private static int _maximumDepth = LargeJsonValueProviderFactory.EntryLimitedDictionary.GetMaximumDepth();
private readonly IDictionary<string, object> _innerDictionary;
private int _itemCount;
public EntryLimitedDictionary(IDictionary<string, object> innerDictionary)
{
this._innerDictionary = innerDictionary;
}
public void Add(string key, object value)
{
if (++this._itemCount > LargeJsonValueProviderFactory.EntryLimitedDictionary._maximumDepth)
throw new InvalidOperationException("JsonValueProviderFactory_RequestTooLarge");
this._innerDictionary.Add(key, value);
}
private static int GetMaximumDepth()
{
NameValueCollection appSettings = ConfigurationManager.AppSettings;
if (appSettings != null)
{
string[] values = appSettings.GetValues("aspnet:MaxJsonDeserializerMembers");
int result;
if (values != null && values.Length > 0 && int.TryParse(values[0], out result))
return result;
}
return 1000;
}
}
}
然后,在 Global.asax.cs 的 Application_Start 方法中,将 ValueProviderFactory 替换为新的方法:
protected void Application_Start()
{
...
//Add LargeJsonValueProviderFactory
ValueProviderFactory jsonFactory = null;
foreach (var factory in ValueProviderFactories.Factories)
{
if (factory.GetType().FullName == "System.Web.Mvc.JsonValueProviderFactory")
{
jsonFactory = factory;
break;
}
}
if (jsonFactory != null)
{
ValueProviderFactories.Factories.Remove(jsonFactory);
}
var largeJsonValueProviderFactory = new LargeJsonValueProviderFactory();
ValueProviderFactories.Factories.Add(largeJsonValueProviderFactory);
}
评论
一些属性魔法怎么样?
[AttributeUsage(AttributeTargets.Class | AttributeTargets.Method, Inherited = true, AllowMultiple = false)]
public class MaxJsonSizeAttribute : ActionFilterAttribute
{
// Default: 10 MB worth of one byte chars
private int maxLength = 10 * 1024 * 1024;
public int MaxLength
{
set
{
if (value < 0) throw new ArgumentOutOfRangeException("value", "Value must be at least 0.");
maxLength = value;
}
get { return maxLength; }
}
public override void OnActionExecuted(ActionExecutedContext filterContext)
{
JsonResult json = filterContext.Result as JsonResult;
if (json != null)
{
if (maxLength == 0)
{
json.MaxJsonLength = int.MaxValue;
}
else
{
json.MaxJsonLength = maxLength;
}
}
}
}
然后,您可以使用全局过滤器配置或控制器/操作全局应用它。
评论
如果您在View中遇到此类问题,可以使用以下方法来解决该问题。这里我用了Newtonsoft包。
@using Newtonsoft.Json
<script type="text/javascript">
var partData = @Html.Raw(JsonConvert.SerializeObject(ViewBag.Part));
</script>
评论
只需在 MVC 的 Action 方法中设置 MaxJsonLength 属性
JsonResult json= Json(classObject, JsonRequestBehavior.AllowGet);
json.MaxJsonLength = int.MaxValue;
return json;
我们不需要任何服务器端的更改。您只能通过 web.config 文件进行修改来解决此问题 这对我有帮助。 试试这个
<appSettings>
<add key="aspnet:MaxJsonDeserializerMembers" value="2147483647" />
<add key="aspnet:UpdatePanelMaxScriptLength" value="2147483647" />
</appSettings>
and
<system.web.extensions>
<scripting>
<webServices>
<jsonSerialization maxJsonLength="2147483647"/>
</webServices>
</scripting>
您不需要对 web.config 执行任何操作 您可以在传递列表的 catch 值期间使用 short 属性 例如 声明一个模型,如
public class BookModel
{
public decimal id { get; set; } // 1
public string BN { get; set; } // 2 Book Name
public string BC { get; set; } // 3 Bar Code Number
public string BE { get; set; } // 4 Edition Name
public string BAL { get; set; } // 5 Academic Level
public string BCAT { get; set; } // 6 Category
}
在这里,我使用简短的 proporties,例如 BC = 条形码 BE=图书版等
评论
MVC 5 修复 ASP.NET 替代方案:
(我的类似于上面的 MFC 答案,但有一些小改动)
我还没有准备好更改为 Json.NET,就我而言,错误是在请求期间发生的。在我的方案中,最好的方法是修改实际,将修复应用于全局项目,并且可以通过编辑文件来完成。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());
}
}
这基本上是默认实现的精确副本,但添加了可配置的 web.config appsetting 值。System.Web.Mvc
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;
}
}
评论
JsonResult result = Json(r);
result.MaxJsonLength = Int32.MaxValue;
result.JsonRequestBehavior = JsonRequestBehavior.AllowGet;
return result;
修复 ASP.NET MVC,如果只想针对导致问题的特定操作进行修复,请更改以下代码:
public JsonResult GetBigJson()
{
var someBigObject = GetBigObject();
return Json(someBigObject);
}
对此:
public JsonResult GetBigJson()
{
var someBigObject = GetBigObject();
return new JsonResult()
{
Data = someBigObject,
JsonRequestBehavior = JsonRequestBehavior.DenyGet,
MaxJsonLength = int.MaxValue
};
}
并且功能应该是相同的,您可以返回更大的 JSON 作为响应。
基于 ASP.NET MVC源码的解释:可以检查MVC源码 ASP.NET 是什么方法做的Controller.Json
protected internal JsonResult Json(object data)
{
return Json(data, null /* contentType */, null /* contentEncoding */, JsonRequestBehavior.DenyGet);
}
它正在调用其他 Controller.Json
方法:
protected internal virtual JsonResult Json(object data, string contentType, Encoding contentEncoding, JsonRequestBehavior behavior)
{
return new JsonResult
{
Data = data,
ContentType = contentType,
ContentEncoding = contentEncoding,
JsonRequestBehavior = behavior
};
}
其中 passed 和 object 是 。所以基本上调用控制器就等同于调用。您可以使用第二种形式并参数化 .contentType
contentEncoding
null
return Json(object)
return new JsonResult { Data = object, JsonRequestBehavior = sonRequestBehavior.DenyGet }
JsonResult
那么,当您设置属性(默认情况下为null)时会发生什么?
它被传递给属性,然后调用方法:MaxJsonLength
JavaScriptSerializer.MaxJsonLength
JavaScriptSerializer.Serialize
JavaScriptSerializer serializer = new JavaScriptSerializer();
if (MaxJsonLength.HasValue)
{
serializer.MaxJsonLength = MaxJsonLength.Value;
}
if (RecursionLimit.HasValue)
{
serializer.RecursionLimit = RecursionLimit.Value;
}
response.Write(serializer.Serialize(Data));
当您不设置序列化程序的属性时,它采用默认值,仅为 2MB。MaxJsonLenght
评论
我使用它,它适用于 Kendo 网格读取请求。
{
//something
var result = XResult.ToList().ToDataSourceResult(request);
var rs = Json(result, JsonRequestBehavior.AllowGet);
rs.MaxJsonLength = int.MaxValue;
return rs;
}
评论