C# Get all text from xml node including xml markup

2019-03-03 01:06发布

Using xml to c# feature in visual studio converted the below xml markup into C# class.

<books>
<book name="Book-1">
<author>
<name>Author-1<ref>1</ref></name>
</author>
</book>
<book name="Book-2">
<author>
<name>Author-1<ref>1</ref></name>
</author>
</book>
</books>

The converted class contains

[System.Xml.Serialization.XmlTypeAttribute(AnonymousType = true)]
    public partial class booksBookAuthorName
    {
        private byte refField;     // 1

        private string[] textField; // 2

What we need is Author-1<ref>1</ref>as the output when reading the author name, by keeping tags.

We have tried https://msdn.microsoft.com/en-us/library/system.xml.serialization.xmltextattribute(v=vs.110).aspx attribute. But no hope.

Any clues ??

1条回答
Summer. ? 凉城
2楼-- · 2019-03-03 01:40

You can use [XmlAnyElement("name")] to capture the XML of the <name> node of each author into an XmlElement (or XElement). The precise text you want is the InnerXml of that element:

[XmlRoot(ElementName = "author")]
public class Author
{
    [XmlAnyElement("name")]
    public XmlElement NameElement { get; set; }

    [XmlIgnore]
    public string Name
    {
        get
        {
            return NameElement == null ? null : NameElement.InnerXml;
        }
        set
        {
            if (value == null)
                NameElement = null;
            else
            {
                var element = new XmlDocument().CreateElement("name");
                element.InnerXml = value;
                NameElement = element;
            }
        }
    }
}

This eliminates the need for the booksBookAuthorName class.

Sample fiddle showing deserialization of a complete set of classes corresponding to your XML, generated initially from http://xmltocsharp.azurewebsites.net/ after which Author was modified as necessary.

查看更多
登录 后发表回答