JavaScriptSerializer中のASP.NET MVCのMaxJsonLength例外


122

私のコントローラーアクションの1つでJsonResult、グリッドを満たすために非常に大きな値を返しています。

次のInvalidOperationException例外が発生します。

JSON JavaScriptSerializerを使用したシリアライゼーションまたはデシリアライゼーション中のエラー。文字列の長さがmaxJsonLengthプロパティで設定された値を超えています。

maxJsonLengthプロパティをweb.config高い値に設定しても、残念ながら効果はありません。

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

この SOの回答で述べたように、文字列としてそれを渡したくありません。

私の調査では、この動作を回避するために独自の(例:)を作成することが推奨されているこのブログ投稿を見つけました。ActionResultLargeJsonResult : JsonResult

これが唯一の解決策ですか?
これはASP.NET MVCのバグですか?
何か不足していますか?

任意の助けをいただければ幸いです。


2
あなたのソリューションはMVC 3で動作します
MatteoSp

1
@マッテオよろしいですか?これは古い質問で、思い出せませんが、どうやらMVC3としてタグ付けしました。残念ながら、修正/クローズされたときにバージョン/日付を確認できません。aspnet.codeplex.com
Martin Buberl 2013

1
確かに、私はMVC 3を使用しています。そして幸いにも、MVC 3では、受け入れられた回答で引用されている "MaxJsonLength"プロパティがないためです。
MatteoSp 2013

回答:


228

これはMVC4で修正されたようです。

あなたはこれを行うことができますが、私にとってはうまくいきました:

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

json文字列をViewBag.MyJsonStringプロパティに設定していますが、実行時に次のjavascript行のビューで同じエラーが発生します。var myJsonObj = @ Html.Raw(Json.Encode(ViewBag.MyJsonString));
ファイサルMq

1
ちょっと@orionedvards、@ GG、@ MartinBuberl私は同じmaxJsonの問題に直面していますが、コントローラーにデータを投稿するときに、これをどのように処理できますか?これについて非常に多くの時間を費やしました。
katmanco 2015

jsonがコレクションをシリアル化する前にMaxJsonLengthを設定する必要があったため、私の場合は機能しませんでした。
セザール・レオン

私の場合は問題なく機能しますが、最終的なユーザーに提示するためにデータテーブルに「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、Name、Phone、Picture(バイト配列)のモデルがあり、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
この場合のユーザーが自分のデータをフィルター処理したいとは思いません。一部の人々は、データベースから大量の行を取り戻す必要があります...
Simon Nicholls

2

代替ASP.NET MVC 5修正:

私の場合、リクエスト中にエラーが発生していました。私のシナリオでの最良のアプローチJsonValueProviderFactoryは、修正をグローバルプロジェクトに適用する実際のglobal.csファイルを変更することであり、そのようにファイルを編集することで実行できます。

JsonValueProviderConfig.Config(ValueProviderFactories.Factories);

web.configエントリを追加します。

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

次の2つのクラスを作成します

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オブジェクトを返す前に、構成セクションから手動で読み取る必要があります。単に1行で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シリアライザーをオーバーライドするか、リクエストから手動でモデルをデシリアライズできます。コントローラメソッドは次のようになります。

   [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.