モデルをシリアル化し、JSONの結果を返すC#メソッドを作成しようとしています。ここに私のコードがあります:
public ActionResult Read([DataSourceRequest] DataSourceRequest request)
{
var items = db.Words.Take(1).ToList();
JsonSerializerSettings jsSettings = new JsonSerializerSettings();
jsSettings.ReferenceLoopHandling = ReferenceLoopHandling.Ignore;
var converted = JsonConvert.SerializeObject(items, null, jsSettings);
return Json(converted, JsonRequestBehavior.AllowGet);
}
ChromeでWords/Readにアクセスすると、次のJSON結果が得られました。
"[{\"WordId\":1,\"Rank\":1,\"PartOfSpeech\":\"article\",\"Image\":\"Upload/29/1/Capture1.PNG\",\"FrequencyNumber\":\"22038615\",\"Article\":null,\"ClarificationText\":null,\"WordName\":\"the | article\",\"MasterId\":0,\"SoundFileUrl\":\"/UploadSound/7fd752a6-97ef-4a99-b324-a160295b8ac4/1/sixty_vocab_click_button.mp3\",\"LangId\":1,\"CatId\":null,\"IsActive\":false}
\ "エスケープされた引用符は、オブジェクトを二重シリアル化するときに発生する問題だと思います。他の質問から: WCF JSON出力には、不要な引用符とバックスラッシュが追加されます
最初にJSON.NETを使用してシリアル化し、次に結果をJson()関数に渡すため、オブジェクトを二重にシリアル化しているように見えます。参照ループを避けるために手動でシリアル化する必要がありますが、ビューにはActionResultが必要だと思います。
ここでActionResultを返すにはどうすればよいですか?必要ですか、それとも文字列を返すだけですか?
同様のstackoverflowの質問を見つけました: Json.Net And ActionResult
そこの答えは、
return Content( converted, "application/json" );
それは私の非常にシンプルなページで動作するようです。
JSON.NETを使用してシリアル化してからJson()
を呼び出す代わりに、コントローラー(または再利用性を高めるためのベースコントローラー)でJson()
メソッドをオーバーライドしないのはなぜですか。
これはこれから引き出されます ブログ投稿 。
コントローラー(またはベースコントローラー)で:
_protected override JsonResult Json(
object data,
string contentType,
System.Text.Encoding contentEncoding,
JsonRequestBehavior behavior)
{
return new JsonNetResult
{
Data = data,
ContentType = contentType,
ContentEncoding = contentEncoding,
JsonRequestBehavior = behavior
};
}
_
JsonNetResultの定義:
_public class JsonNetResult : JsonResult
{
public JsonNetResult()
{
Settings = new JsonSerializerSettings
{
ReferenceLoopHandling = ReferenceLoopHandling.Ignore,
};
}
public JsonSerializerSettings Settings { get; private set; }
public override void ExecuteResult(ControllerContext context)
{
if (context == null)
throw new ArgumentNullException("context");
if (this.JsonRequestBehavior == JsonRequestBehavior.DenyGet
&& "GET".Equals(
context.HttpContext.Request.HttpMethod,
StringComparison.OrdinalIgnoreCase))
{
throw new InvalidOperationException("JSON GET is not allowed");
}
HttpResponseBase response = context.HttpContext.Response;
response.ContentType =
string.IsNullOrEmpty(this.ContentType) ? "application/json" : this.ContentType;
if (this.ContentEncoding != null)
response.ContentEncoding = this.ContentEncoding;
if (this.Data == null)
return;
var scriptSerializer = JsonSerializer.Create(this.Settings);
using (var sw = new StringWriter())
{
scriptSerializer.Serialize(sw, this.Data);
response.Write(sw.ToString());
}
}
}
_
これにより、コントローラーでJson()
を呼び出すと、必要なJSON.NETシリアル化が自動的に取得されます。