¿Es posible a través de un atributo de algún tipo serializar una cadena como CDATA usando el .Net XmlSerializer?
c#
.net
xml-serialization
jamesaharvey
fuente
fuente
CDataContent
si solo está leyendo XML.XmlSerializer.Deserialize
lo convertirá automáticamente en texto para usted.Respuestas:
[XmlRoot("root")] public class Sample1Xml { internal Sample1Xml() { } [XmlElement("node")] public NodeType Node { get; set; } #region Nested type: NodeType public class NodeType { [XmlAttribute("attr1")] public string Attr1 { get; set; } [XmlAttribute("attr2")] public string Attr2 { get; set; } [XmlIgnore] public string Content { get; set; } [XmlText] public XmlNode[] CDataContent { get { var dummy = new XmlDocument(); return new XmlNode[] {dummy.CreateCDataSection(Content)}; } set { if (value == null) { Content = null; return; } if (value.Length != 1) { throw new InvalidOperationException( String.Format( "Invalid array length {0}", value.Length)); } Content = value[0].Value; } } } #endregion }
fuente
[Serializable] public class MyClass { public MyClass() { } [XmlIgnore] public string MyString { get; set; } [XmlElement("MyString")] public System.Xml.XmlCDataSection MyStringCDATA { get { return new System.Xml.XmlDocument().CreateCDataSection(MyString); } set { MyString = value.Value; } } }
Uso:
MyClass mc = new MyClass(); mc.MyString = "<test>Hello World</test>"; XmlSerializer serializer = new XmlSerializer(typeof(MyClass)); StringWriter writer = new StringWriter(); serializer.Serialize(writer, mc); Console.WriteLine(writer.ToString());
Salida:
<?xml version="1.0" encoding="utf-16"?> <MyClass xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema"> <MyString><![CDATA[<test>Hello World</test>]]></MyString> </MyClass>
fuente
XmlDocument().CreateCDataSection(MyString ?? String.Empty);
Además de la forma publicada por John Saunders, puede usar un XmlCDataSection como tipo directamente, aunque se reduce a casi lo mismo:
private string _message; [XmlElement("CDataElement")] public XmlCDataSection Message { get { XmlDocument doc = new XmlDocument(); return doc.CreateCDataSection( _message); } set { _message = value.Value; } }
fuente
En la clase que se serializará:
public CData Content { get; set; }
Y la clase CData:
public class CData : IXmlSerializable { private string _value; /// <summary> /// Allow direct assignment from string: /// CData cdata = "abc"; /// </summary> /// <param name="value">The string being cast to CData.</param> /// <returns>A CData object</returns> public static implicit operator CData(string value) { return new CData(value); } /// <summary> /// Allow direct assignment to string: /// string str = cdata; /// </summary> /// <param name="cdata">The CData being cast to a string</param> /// <returns>A string representation of the CData object</returns> public static implicit operator string(CData cdata) { return cdata._value; } public CData() : this(string.Empty) { } public CData(string value) { _value = value; } public override string ToString() { return _value; } public System.Xml.Schema.XmlSchema GetSchema() { return null; } public void ReadXml(System.Xml.XmlReader reader) { _value = reader.ReadElementString(); } public void WriteXml(System.Xml.XmlWriter writer) { writer.WriteCData(_value); } }
fuente
Tenía una necesidad similar, pero necesitaba un formato de salida diferente: quería un atributo en el nodo que contiene el CDATA. Me inspiré en las soluciones anteriores para crear la mía propia. Quizás ayude a alguien en el futuro ...
public class EmbedScript { [XmlAttribute("type")] public string Type { get; set; } [XmlText] public XmlNode[] Script { get; set; } public EmbedScript(string type, string script) { Type = type; Script = new XmlNode[] { new XmlDocument().CreateCDataSection(script) }; } public EmbedScript() { } }
En el objeto principal que se va a serializar, tengo la siguiente propiedad:
[XmlArray("embedScripts")] [XmlArrayItem("embedScript")] public List<EmbedScript> EmbedScripts { get; set; }
Obtengo el siguiente resultado:
<embedScripts> <embedScript type="Desktop Iframe"> <![CDATA[<div id="play_game"><iframe height="100%" src="http://www.myurl.com" width="100%"></iframe></div>]]> </embedScript> <embedScript type="JavaScript"> <![CDATA[]]> </embedScript> </embedScripts>
fuente
En mi caso, estoy usando campos mixtos, algunos CDATA otros no, al menos para mí, la siguiente solución está funcionando ...
Al leer siempre el campo Valor, obtengo el contenido, independientemente de si es CDATA o solo texto sin formato.
[XmlElement("")] public XmlCDataSection CDataValue { get { return new XmlDocument().CreateCDataSection(this.Value); } set { this.Value = value.Value; } } [XmlText] public string Value;
Mejor tarde que nunca.
Salud
fuente
Esta implementación tiene la capacidad de procesar CDATA anidado dentro de la cadena que está codificando (según la respuesta original de John Saunders).
Por ejemplo, suponga que desea codificar la siguiente cadena literal en CDATA:
I am purposefully putting some <![CDATA[ cdata markers right ]]> in here!!
Querría que la salida resultante se viera así:
<![CDATA[I am purposefully putting some <![CDATA[ cdata markers right ]]]]><![CDATA[> in here!!]]>
El siguiente bucle aplicación voluntad sobre la cadena, se separan los casos de
...]]>...
en...]]
y>...
y crear secciones CDATA separados para cada uno.[XmlRoot("root")] public class Sample1Xml { internal Sample1Xml() { } [XmlElement("node")] public NodeType Node { get; set; } #region Nested type: NodeType public class NodeType { [XmlAttribute("attr1")] public string Attr1 { get; set; } [XmlAttribute("attr2")] public string Attr2 { get; set; } [XmlIgnore] public string Content { get; set; } [XmlText] public XmlNode[] CDataContent { get { XmlDocument dummy = new XmlDocument(); List<XmlNode> xmlNodes = new List<XmlNode>(); int tokenCount = 0; int prevSplit = 0; for (int i = 0; i < Content.Length; i++) { char c = Content[i]; //If the current character is > and it was preceded by ]] (i.e. the last 3 characters were ]]>) if (c == '>' && tokenCount >= 2) { //Put everything up to this point in a new CData Section string thisSection = Content.Substring(prevSplit, i - prevSplit); xmlNodes.Add(dummy.CreateCDataSection(thisSection)); prevSplit = i; } if (c == ']') { tokenCount++; } else { tokenCount = 0; } } //Put the final part of the string into a CData section string finalSection = Content.Substring(prevSplit, Content.Length - prevSplit); xmlNodes.Add(dummy.CreateCDataSection(finalSection)); return xmlNodes.ToArray(); } set { if (value == null) { Content = null; return; } if (value.Length != 1) { throw new InvalidOperationException( String.Format( "Invalid array length {0}", value.Length)); } Content = value[0].Value; } } }
fuente