コントローラーアクションの1つで、グリッドを埋めるために非常に大きなJsonResult
を返しています。
次のInvalidOperationException
例外が発生しています。
JSON JavaScriptSerializerを使用したシリアライズまたはデシリアライズ中のエラー。文字列の長さがmaxJsonLengthプロパティで設定された値を超えています。
web.config
のmaxJsonLength
プロパティを高い値に設定しても、残念ながら効果はありません。
<system.web.extensions>
<scripting>
<webServices>
<jsonSerialization maxJsonLength="2147483644"/>
</webServices>
</scripting>
</system.web.extensions>
this SO answerに記載されているように、文字列として返したくありません。
私の研究では、この動作を回避するために、独自のActionResult
(例:LargeJsonResult : JsonResult
)を書くことが推奨されている this ブログ投稿に出会いました。
これが唯一の解決策ですか?
これは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());
}
必要なフィールドのみをLINQ式で定義してみてください。
例。 Id、Name、Phone、およびPicture(byte array)を持つモデルがあり、jsonから選択リストにロードする必要があると想像してください。
LINQクエリ:
var listItems = (from u in Users where u.name.Contains(term) select u).ToList();
ここでの問題は、すべてのフィールドを取得する「select」です。だから、もしあなたが大きな写真を持っているなら、ブーン.
の解き方?とても簡単です.
var listItems = (from u in Users where u.name.Contains(term) select new {u.Id, u.Name}).ToList();
ベストプラクティスは、使用するフィールドのみを選択することです。
覚えて。これは簡単なヒントですが、多くのASP.NET MVC開発者を支援できます。
代替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;
}
}
アクションを[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...");
}
});
コードがJsonResultオブジェクトを返す前に、構成セクションから手動で読み取る必要があります。 web.configから1行で読むだけです:
var jsonResult = Json(resultsForAjaxUI);
jsonResult.MaxJsonLength = (ConfigurationManager.GetSection("system.web.extensions/scripting/webServices/jsonSerialization") as System.Web.Configuration.ScriptingJsonSerializationSection).MaxJsonLength;
return jsonResult;
Web.configで構成要素を定義したことを確認してください
これは私のために働いた
JsonSerializerSettings json = new JsonSerializerSettings
{
ReferenceLoopHandling = ReferenceLoopHandling.Ignore
};
var result = JsonConvert.SerializeObject(list, Formatting.Indented, json);
return new JsonResult { Data = result, MaxJsonLength = int.MaxValue };
コントローラからビューを返す場合、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ページにアクセス可能になり、適切な結果が得られます。
ありがとう
その他の場合もあります-データはクライアントからサーバーに送信されます。コントローラーのメソッドを使用していて、モデルが巨大な場合:
[HttpPost]
public ActionResult AddOrUpdateConsumerFile(FileMetaDataModelView inputModel)
{
if (inputModel == null) return null;
....
}
システムは、「JSON JavaScriptSerializerを使用したシリアル化または逆シリアル化中にエラーが発生しました。文字列の長さがmaxJsonLengthプロパティに設定された値を超えています。パラメータ名:入力」のような例外をスローします
この場合、Web.config設定を変更するだけでは不十分です。さらに、巨大なデータモデルサイズをサポートするためにmvc jsonシリアライザーをオーバーライドしたり、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);
}
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で修正されました。