이것은 늦은 답변이지만 같은 문제가 있었고이 질문이 문제를 해결하는 데 도움이되었습니다. 요약하자면, 다른 사람들의 구현 속도를 높이기 위해 결과를 게시해야한다고 생각했습니다.
먼저 작업에서의 인스턴스를 반환 할 수있는 ExpandoJsonResult입니다. 또는 컨트롤러에서 Json 메서드를 재정의하고 반환 할 수 있습니다.
public class ExpandoJsonResult : JsonResult
{
public override void ExecuteResult(ControllerContext context)
{
HttpResponseBase response = context.HttpContext.Response;
response.ContentType = !string.IsNullOrEmpty(ContentType) ? ContentType : "application/json";
response.ContentEncoding = ContentEncoding ?? response.ContentEncoding;
if (Data != null)
{
JavaScriptSerializer serializer = new JavaScriptSerializer();
serializer.RegisterConverters(new JavaScriptConverter[] { new ExpandoConverter() });
response.Write(serializer.Serialize(Data));
}
}
}
그런 다음 변환기 (직렬화 및 역 직렬화를 모두 지원합니다. 역 직렬화 방법의 예는 아래 참조).
public class ExpandoConverter : JavaScriptConverter
{
public override object Deserialize(IDictionary<string, object> dictionary, Type type, JavaScriptSerializer serializer)
{ return DictionaryToExpando(dictionary); }
public override IDictionary<string, object> Serialize(object obj, JavaScriptSerializer serializer)
{ return ((ExpandoObject)obj).ToDictionary(x => x.Key, x => x.Value); }
public override IEnumerable<Type> SupportedTypes
{ get { return new ReadOnlyCollection<Type>(new Type[] { typeof(System.Dynamic.ExpandoObject) }); } }
private ExpandoObject DictionaryToExpando(IDictionary<string, object> source)
{
var expandoObject = new ExpandoObject();
var expandoDictionary = (IDictionary<string, object>)expandoObject;
foreach (var kvp in source)
{
if (kvp.Value is IDictionary<string, object>) expandoDictionary.Add(kvp.Key, DictionaryToExpando((IDictionary<string, object>)kvp.Value));
else if (kvp.Value is ICollection)
{
var valueList = new List<object>();
foreach (var value in (ICollection)kvp.Value)
{
if (value is IDictionary<string, object>) valueList.Add(DictionaryToExpando((IDictionary<string, object>)value));
else valueList.Add(value);
}
expandoDictionary.Add(kvp.Key, valueList);
}
else expandoDictionary.Add(kvp.Key, kvp.Value);
}
return expandoObject;
}
}
ExpandoJsonResult 클래스에서 직렬화에 사용하는 방법을 볼 수 있습니다. 직렬화를 해제하려면 직렬화기를 만들고 동일한 방식으로 변환기를 등록하지만
dynamic _data = serializer.Deserialize<ExpandoObject>("Your JSON string");
저를 도와 준 모든 참가자들에게 큰 감사를드립니다.