首页 文章

我可以在web.config中为maxJsonLength设置无限长度吗?

提问于
浏览
589

我正在使用jQuery的自动完成功能 . 当我尝试检索超过17000个记录的列表(每个记录的长度不超过10个)时,它超出了长度并抛出错误:

异常信息:异常类型:InvalidOperationException异常消息:使用JSON JavaScriptSerializer进行序列化或反序列化时出错 . 字符串的长度超过maxJsonLength属性上设置的值 .

我可以在 web.config 中为 maxJsonLength 设置无限长度吗?如果没有,我可以设置的最大长度是多少?

27 回答

  • 648

    我遵循了vestigal的回答并得到了这个解决方案:

    当我需要将大型json发布到控制器中的动作时,我会在使用JSON JavaScriptSerializer进行反序列化时获得着名的“错误 . ”字符串的长度超过了maxJsonLength属性上设置的值 . \ r \ nParameter name:input Value 提供者“ .

    我所做的是创建一个新的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);
    }
    
  • 420

    我们不需要任何服务器端更改 . you can fix this only modify by web.config file 这对我有帮助 . 试试这个

    <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>
    
  • 58

    对于那些在MVC3中遇到问题的人来说,JSON会自动被反序列化为模型 Binders 并且太大,这是一个解决方案 .

    • 将JsonValueProviderFactory类的代码从MVC3源代码复制到新类中 .

    • 添加一行以在反序列化对象之前更改最大JSON长度 .

    • 用新的修改后的类替换JsonValueProviderFactory类 .

    感谢http://blog.naver.com/techshare/100145191355https://gist.github.com/DalSoft/1588818为我指明了如何做到这一点的正确方向 . 第一个站点上的最后一个链接包含解决方案的完整源代码 .

  • 5

    使用 lib\Newtonsoft.Json.dll

    public string serializeObj(dynamic json) {        
        return JsonConvert.SerializeObject(json);
    }
    
  • 10

    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);
    
  • 6

    如果这个maxJsonLength值是一个int那么它的int 32bit / 64bit / 16bit有多大....我只想确定我可以设置的最大值是什么maxJsonLength

    <scripting>
            <webServices>
                <jsonSerialization maxJsonLength="2147483647">
                </jsonSerialization>
            </webServices>
        </scripting>
    
  • 21

    NOTE: 此答案仅适用于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>
    
  • 32

    如果您使用的是MVC 4 ,请务必查看this answer .


    如果您仍然收到错误:

    maxJsonLength 属性设置为web.config中的最大值后

    • 并且您知道数据的长度小于此值

    • 并且您没有使用Web服务方法进行JavaScript序列化

    你的问题很可能是:

    MaxJsonLength属性的值仅适用于异步通信层用于调用Web服务方法的内部JavaScriptSerializer实例 . (MSDN:ScriptingJsonSerializationSection.MaxJsonLength属性)

    基本上,"internal" JavaScriptSerializer 在从Web方法调用时尊重 maxJsonLength 的值;直接使用 JavaScriptSerializer (或通过MVC操作方法/控制器使用)确实 not 尊重 maxJsonLength 属性,至少不是来自web.config的 systemWebExtensions.scripting.webServices.jsonSerialization 部分 .

    作为解决方法,您可以在Controller(或任何地方)中执行以下操作:

    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;
    

    这个答案是我对this asp.net forum answer的解释 .

  • 0

    刚碰到这个 . 我收到了6000多条记录 . 刚决定我只做一些分页 . 在中,我接受我的MVC JsonResult endpoints 中的页码,默认为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
    }
    

    并将您的记录附加到您最初使用它们的任何内容中 . 或者等到所有通话完成并将结果拼凑在一起 .

  • 4

    如果您在View中遇到此类问题,可以使用以下方法来解决此问题 . 这里我使用 Newtonsoft 包 .

    @using Newtonsoft.Json
    <script type="text/javascript">
        var partData = @Html.Raw(JsonConvert.SerializeObject(ViewBag.Part));
    </script>
    
  • 0

    只需在MVC的Action方法中设置MaxJsonLength proprty即可

    JsonResult json= Json(classObject, JsonRequestBehavior.AllowGet);
    json.MaxJsonLength = int.MaxValue;
    return json;
    
  • 20

    似乎没有“无限”的 Value . 默认值为2097152个字符,相当于4 MB的Unicode字符串数据 .

    正如已经观察到的那样,17,000条记录在浏览器中很难使用 . 如果要呈现聚合视图,则在服务器上执行聚合并在浏览器中仅传输摘要可能更有效 . 例如,考虑一个文件系统浏览器,我们只看到顶部树,然后在我们向下钻取时发出更多请求 . 每个请求中返回的记录数相对较少 . 树视图演示文稿可以很好地适用于大型结果集 .

  • 2

    如果从MVC中的MiniProfiler收到此错误,则可以通过将属性 MiniProfiler.Settings.MaxJsonResponseSize 设置为所需的值来增加该值 . 默认情况下,此工具似乎忽略config中设置的值 .

    MiniProfiler.Settings.MaxJsonResponseSize = 104857600;
    

    礼貌mvc-mini-profiler .

  • 3

    我建议将其设置为Int32.MaxValue .

    JavaScriptSerializer serializer = new JavaScriptSerializer();
    serializer.MaxJsonLength = Int32.MaxValue;
    
  • 15

    问题是你是否真的需要返回17k记录?您打算如何处理浏览器中的所有数据?无论如何,用户不会滚动17000行 .

    更好的方法是仅检索“前几个”记录并根据需要加载更多 .

  • 5

    我修好了它 .

    //your Json data here
    string json_object="........";
    JavaScriptSerializer jsJson = new JavaScriptSerializer();
    jsJson.MaxJsonLength = 2147483644;
    MyClass obj = jsJson.Deserialize<MyClass>(json_object);
    

    它工作得很好 .

  • 301

    您可以像其他人所说的那样在配置中设置它,或者您可以设置序列化器的单个实例,如:

    var js = new JavaScriptSerializer() { MaxJsonLength = int.MaxValue };
    
  • 2

    一些属性魔法怎么样?

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

    然后,您可以使用全局筛选器配置或控制器/操作方式全局应用它 .

  • 0

    如果在您的web.config中实现上述添加后,您会收到“无法识别的配置部分system.web.extensions . ”错误,然后尝试将其添加到 <ConfigSections> 部分中的web.config:

    <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>
    
  • 9

    在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
    );
    
  • 2

    您可以在web.config文件中配置json请求的最大长度:

    <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

  • -1

    如果在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;
        }
    

    我希望这应该有所帮助 .

  • 13

    你可以把这一行写入Controller

    json.MaxJsonLength = 2147483644;
    

    你也可以把这一行写成 web.config

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

    `

    为了安全起见,请同时使用两者 .

  • -1

    Alternative ASP.NET MVC 5 Fix:

    (我的类似于MFCs上面的回答,只有一些小改动)

    我还没准备好改用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());
        }
    }
    

    这基本上是 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;
        }
    }
    
  • 2

    您不需要使用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
    }
    

    在这里我使用短比例,如BC =条形码BE =书籍版本等

  • 3

    我解决了添加此代码的问题:

    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();
    
  • 0

    我在ASP.NET Web窗体中遇到了这个问题 . 它完全忽略了web.config文件设置所以我这样做了:

    JavaScriptSerializer serializer = new JavaScriptSerializer();
    
            serializer.MaxJsonLength = Int32.MaxValue; 
    
            return serializer.Serialize(response);
    

    当然总的来说这是一种可怕的做法 . 如果要在Web服务调用中发送这么多数据,您应该看一下不同的方法 .

相关问题