How do I convert a C# class to an XMLElement or XMLDocument

前端 未结 3 1027
春和景丽
春和景丽 2020-12-30 06:52

I have an C# class that I would like to serialize using XMLSerializer. But I would like to have it serialized to a XMLElement or XMLDocument. Is this possible or do I have t

相关标签:
3条回答
  • 2020-12-30 07:28

    You can create a new XmlDocument, then call CreateNavigator().AppendChild(). This will give you an XmlWriter you can pass to the Serialize method that will dump into the doc root.

    0 讨论(0)
  • 2020-12-30 07:31

    I had this problem too, and Matt Davis provided a great solution. Just posting some code snippets, since there are a few more details.

    Serializing:

    public static XmlElement SerializeToXmlElement(object o)
    {
        XmlDocument doc = new XmlDocument();
    
        using(XmlWriter writer = doc.CreateNavigator().AppendChild())
        {
            new XmlSerializer(o.GetType()).Serialize(writer, o);
        }
    
        return doc.DocumentElement;
    }
    

    Deserializing:

    public static T DeserializeFromXmlElement<T>(XmlElement element)
    {
        var serializer = new XmlSerializer(typeof(T));
    
        return (T)serializer.Deserialize(new XmlNodeReader(element));
    }
    
    0 讨论(0)
  • 2020-12-30 07:38
    Public Shared Function ConvertClassToXml(source As Object) As XmlDocument
        Dim doc As New XmlDocument()
        Dim xmlS As New XmlSerializer(source.GetType)
        Dim stringW As New StringWriter
        xmlS.Serialize(stringW, source)
        doc.InnerXml = stringW.ToString
        Return doc
    End Function
    Public Shared Function ConvertClassToXmlString(source As Object) As String
        Dim doc As New XmlDocument()
        Dim xmlS As New XmlSerializer(source.GetType)
        Dim stringW As New StringWriter
        xmlS.Serialize(stringW, source)
        Return stringW.ToString
    End Function
    Public Shared Function ConvertXmlStringtoClass(Of T)(source As String) As T
        Dim xmlS As New XmlSerializer(GetType(T))
        Dim stringR As New StringReader(source)
        Return CType(xmlS.Deserialize(stringR), T)
    End Function
    Public Shared Function ConvertXmlToClass(Of T)(doc As XmlDocument) As T
        Dim serializer = New XmlSerializer(GetType(T))
        Return DirectCast(serializer.Deserialize(doc.CreateNavigator.ReadSubtree), T)
    End Function
    
    0 讨论(0)
提交回复
热议问题