Estoy buscando un objeto de par clave / valor que pueda incluir en un servicio web.
Intenté usar la System.Collections.Generic.KeyValuePair<>
clase de .NET , pero no se serializa correctamente en un servicio web. En un servicio web, las propiedades Clave y Valor no se serializan, lo que hace que esta clase sea inútil, a menos que alguien sepa cómo solucionarlo.
¿Existe alguna otra clase genérica que pueda usarse para esta situación?
Usaría la System.Web.UI.Pair
clase de .NET , pero usa Object para sus tipos. Sería bueno usar una clase Genérica, aunque solo sea por seguridad de tipos.
'AttributeCollection' does not contain a definition for 'Where' and the best extension method overload 'Queryable.Where<KeyValuePair<string, object>>(IQueryable<KeyValuePair<string, object>>, Expression<Func<KeyValuePair<string, object>, bool>>)' requires a receiver of type 'IQueryable<KeyValuePair<string, object>>'
No creo que exista ya que en
Dictionary<>
sí mismo no es XML serializable, cuando tuve la necesidad de enviar un objeto de diccionario a través de un servicio web, terminé envolviendo elDictionary<>
objeto yo mismo y agregando soporte paraIXMLSerializable
./// <summary> /// Represents an XML serializable collection of keys and values. /// </summary> /// <typeparam name="TKey">The type of the keys in the dictionary.</typeparam> /// <typeparam name="TValue">The type of the values in the dictionary.</typeparam> [XmlRoot("dictionary")] public class SerializableDictionary<TKey, TValue> : Dictionary<TKey, TValue>, IXmlSerializable { #region Constants /// <summary> /// The default XML tag name for an item. /// </summary> private const string DEFAULT_ITEM_TAG = "Item"; /// <summary> /// The default XML tag name for a key. /// </summary> private const string DEFAULT_KEY_TAG = "Key"; /// <summary> /// The default XML tag name for a value. /// </summary> private const string DEFAULT_VALUE_TAG = "Value"; #endregion #region Protected Properties /// <summary> /// Gets the XML tag name for an item. /// </summary> protected virtual string ItemTagName { get { return DEFAULT_ITEM_TAG; } } /// <summary> /// Gets the XML tag name for a key. /// </summary> protected virtual string KeyTagName { get { return DEFAULT_KEY_TAG; } } /// <summary> /// Gets the XML tag name for a value. /// </summary> protected virtual string ValueTagName { get { return DEFAULT_VALUE_TAG; } } #endregion #region Public Methods /// <summary> /// Gets the XML schema for the XML serialization. /// </summary> /// <returns>An XML schema for the serialized object.</returns> public XmlSchema GetSchema() { return null; } /// <summary> /// Deserializes the object from XML. /// </summary> /// <param name="reader">The XML representation of the object.</param> public void ReadXml(XmlReader reader) { XmlSerializer keySerializer = new XmlSerializer(typeof(TKey)); XmlSerializer valueSerializer = new XmlSerializer(typeof(TValue)); bool wasEmpty = reader.IsEmptyElement; reader.Read(); if (wasEmpty) { return; } while (reader.NodeType != XmlNodeType.EndElement) { reader.ReadStartElement(ItemTagName); reader.ReadStartElement(KeyTagName); TKey key = (TKey)keySerializer.Deserialize(reader); reader.ReadEndElement(); reader.ReadStartElement(ValueTagName); TValue value = (TValue)valueSerializer.Deserialize(reader); reader.ReadEndElement(); this.Add(key, value); reader.ReadEndElement(); reader.MoveToContent(); } reader.ReadEndElement(); } /// <summary> /// Serializes this instance to XML. /// </summary> /// <param name="writer">The writer to serialize to.</param> public void WriteXml(XmlWriter writer) { XmlSerializer keySerializer = new XmlSerializer(typeof(TKey)); XmlSerializer valueSerializer = new XmlSerializer(typeof(TValue)); foreach (TKey key in this.Keys) { writer.WriteStartElement(ItemTagName); writer.WriteStartElement(KeyTagName); keySerializer.Serialize(writer, key); writer.WriteEndElement(); writer.WriteStartElement(ValueTagName); TValue value = this[key]; valueSerializer.Serialize(writer, value); writer.WriteEndElement(); writer.WriteEndElement(); } } #endregion }
fuente
Encontrará la razón por la que KeyValuePairs no se puede serializar en esta publicación de blog de MSDN
La respuesta de Struct es la solución más simple, pero no la única. Una solución "mejor" es escribir una clase KeyValurPair personalizada que sea serializable.
fuente
[Serializable] public class SerializableKeyValuePair<TKey, TValue> { public SerializableKeyValuePair() { } public SerializableKeyValuePair(TKey key, TValue value) { Key = key; Value = value; } public TKey Key { get; set; } public TValue Value { get; set; } }
fuente
En el marco 4.0, también se agrega la familia de clases Tuple que son serializables y equiparables. Puede usar
Tuple.Create(a, b)
onew Tuple<T1, T2>(a, b)
.fuente
Un KeyedCollection es un tipo de diccionario que se puede serializar directamente a xml sin tonterías. El único problema es que debe acceder a los valores mediante: coll ["clave"]. Valor;
fuente
XmlSerializer no funciona con diccionarios. Ah, y también tiene problemas con KeyValuePairs
http://www.codeproject.com/Tips/314447/XmlSerializer-doesnt-work-with-Dictionaries-Oh-and
fuente
Utilice DataContractSerializer ya que puede manejar el par clave-valor.
public static string GetXMLStringFromDataContract(object contractEntity) { using (System.IO.MemoryStream writer = new System.IO.MemoryStream()) { var dataContractSerializer = new DataContractSerializer(contractEntity.GetType()); dataContractSerializer.WriteObject(writer, contractEntity); writer.Position = 0; var streamReader = new System.IO.StreamReader(writer); return streamReader.ReadToEnd(); } }
fuente
DataTable
es mi colección favorita para (únicamente) envolver datos para serializarlos en JSON, ya que es fácil de expandir sin la necesidad de un extrastruct
y actúa como un reemplazo serializable paraTuple<>[]
Tal vez no sea la forma más limpia, pero prefiero incluirlo y usarlo directamente en las clases (que se serializarán), en lugar de declarar un nuevo
struct
class AnyClassToBeSerialized { public DataTable KeyValuePairs { get; } public AnyClassToBeSerialized { KeyValuePairs = new DataTable(); KeyValuePairs.Columns.Add("Key", typeof(string)); KeyValuePairs.Columns.Add("Value", typeof(string)); } public void AddEntry(string key, string value) { DataRow row = KeyValuePairs.NewRow(); row["Key"] = key; // "Key" & "Value" used only for example row["Value"] = value; KeyValuePairs.Rows.Add(row); } }
fuente
Puedes usar
Tuple<string,object>
vea esto para obtener más detalles sobre el
Tuple
uso: Trabajar con Tuple en C # 4.0fuente