Questa è una risposta tardiva, ma ho avuto lo stesso problema e questa domanda mi ha aiutato a risolverli. In sintesi, ho pensato di pubblicare i miei risultati, nella speranza che acceleri l'implementazione per altri.
Innanzitutto ExpandoJsonResult, di cui puoi restituire un'istanza nella tua azione. Oppure puoi sovrascrivere il metodo Json nel tuo controller e restituirlo lì.
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));
}
}
}
Quindi il convertitore (che supporta sia la serializzazione che la de-serializzazione. Vedi sotto per un esempio di come de-serializzare).
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;
}
}
Puoi vedere nella classe ExpandoJsonResult come usarlo per la serializzazione. Per de-serializzare, crea il serializzatore e registra il convertitore allo stesso modo, ma usa
dynamic _data = serializer.Deserialize<ExpandoObject>("Your JSON string");
Un grande grazie, a tutti i partecipanti qui che mi hanno aiutato.