Warning: file_get_contents(/data/phpspider/zhask/data//catemap/0/xml/12.json): failed to open stream: No such file or directory in /data/phpspider/zhask/libs/function.php on line 167

Warning: Invalid argument supplied for foreach() in /data/phpspider/zhask/libs/tag.function.php on line 1116

Notice: Undefined index: in /data/phpspider/zhask/libs/function.php on line 180

Warning: array_chunk() expects parameter 1 to be array, null given in /data/phpspider/zhask/libs/function.php on line 181
.net 我可以将匿名类型序列化为xml吗?_.net_Xml_Serialization_Anonymous Types - Fatal编程技术网

.net 我可以将匿名类型序列化为xml吗?

.net 我可以将匿名类型序列化为xml吗?,.net,xml,serialization,anonymous-types,.net,Xml,Serialization,Anonymous Types,我知道匿名类型被编译器标记为私有,并且属性是只读的。有没有办法将它们序列化为xml(而不进行反序列化)?它,我如何使用XML来实现它?使用XmlSerializer或DataContractSerializer都无法实现。这可以通过手动编写的代码来完成,如所示(我不能评论代码是否足够全面,可以处理所有类型,但这是一个非常好的开始)。类似的内容应该可以让您开始 class Program { static void Main(string[] args) { var

我知道匿名类型被编译器标记为私有,并且属性是只读的。有没有办法将它们序列化为xml(而不进行反序列化)?它,我如何使用XML来实现它?

使用
XmlSerializer
DataContractSerializer
都无法实现。这可以通过手动编写的代码来完成,如所示(我不能评论代码是否足够全面,可以处理所有类型,但这是一个非常好的开始)。

类似的内容应该可以让您开始

class Program
{
    static void Main(string[] args)
    {
        var me = new
        {
            Hello = "World",
            Other = new
            {
                My = "Object",
                V = 1,
                B = (byte)2
            }
        };

        var x = me.ToXml();
    }
}
public static class Tools
{
    private static readonly Type[] WriteTypes = new[] {
        typeof(string), typeof(DateTime), typeof(Enum), 
        typeof(decimal), typeof(Guid),
    };
    public static bool IsSimpleType(this Type type)
    {
        return type.IsPrimitive || WriteTypes.Contains(type);
    }
    public static XElement ToXml(this object input)
    {
        return input.ToXml(null);
    }
    public static XElement ToXml(this object input, string element)
    {
        if (input == null)
            return null;

        if (string.IsNullOrEmpty(element))
            element = "object";
        element = XmlConvert.EncodeName(element);
        var ret = new XElement(element);

        if (input != null)
        {
            var type = input.GetType();
            var props = type.GetProperties();

            var elements = from prop in props
                           let name = XmlConvert.EncodeName(prop.Name)
                           let val = prop.GetValue(input, null)
                           let value = prop.PropertyType.IsSimpleType()
                                ? new XElement(name, val)
                                : val.ToXml(name)
                           where value != null
                           select value;

            ret.Add(elements);
        }

        return ret;
    }
}
。。。生成的xml

<object>
  <Hello>World</Hello>
  <Other>
    <My>Object</My>
    <V>1</V>
    <B>2</B>
  </Other>
</object>

世界
对象
1.
2.

谢谢你,马修和马丁做得很好

我做了一些修改,以适应null和enum。我还对其进行了更改,以便根据property+索引的名称命名数组元素

如果有人感兴趣,下面是代码

public static class ObjectExtensions {
    #region Private Fields
    private static readonly Type[] WriteTypes = new[] {
        typeof(string), typeof(DateTime), typeof(Enum), 
        typeof(decimal), typeof(Guid),
    };
    #endregion Private Fields
    #region .ToXml
    /// <summary>
    /// Converts an anonymous type to an XElement.
    /// </summary>
    /// <param name="input">The input.</param>
    /// <returns>Returns the object as it's XML representation in an XElement.</returns>
    public static XElement ToXml(this object input) {
        return input.ToXml(null);
    }

    /// <summary>
    /// Converts an anonymous type to an XElement.
    /// </summary>
    /// <param name="input">The input.</param>
    /// <param name="element">The element name.</param>
    /// <returns>Returns the object as it's XML representation in an XElement.</returns>
    public static XElement ToXml(this object input, string element) {
        return _ToXml(input, element);
    }

    private static XElement _ToXml(object input, string element, int? arrayIndex = null, string arrayName = null) {
        if (input == null)
            return null;

        if (String.IsNullOrEmpty(element)) {
            string name = input.GetType().Name;
            element = name.Contains("AnonymousType") 
                ? "Object" 
                : arrayIndex != null
                    ? arrayName + "_" + arrayIndex
                    : name;
        }

        element = XmlConvert.EncodeName(element);
        var ret = new XElement(element);

        if (input != null) {
            var type = input.GetType();
            var props = type.GetProperties();

            var elements = props.Select(p => {
                var pType = Nullable.GetUnderlyingType(p.PropertyType) ?? p.PropertyType;
                var name = XmlConvert.EncodeName(p.Name);
                var val = pType.IsArray ? "array" : p.GetValue(input, null);
                var value = pType.IsArray 
                    ? GetArrayElement(p, (Array)p.GetValue(input, null))
                    : pType.IsSimpleType() || pType.IsEnum 
                        ? new XElement(name, val) 
                        : val.ToXml(name);
                return value;
            })
            .Where(v=>v !=null);

            ret.Add(elements);
        }

        return ret;
    }

    #region helpers
    /// <summary>
    /// Gets the array element.
    /// </summary>
    /// <param name="info">The property info.</param>
    /// <param name="input">The input object.</param>
    /// <returns>Returns an XElement with the array collection as child elements.</returns>
    private static XElement GetArrayElement(PropertyInfo info, Array input) {
        var name = XmlConvert.EncodeName(info.Name);

        XElement rootElement = new XElement(name);

        var arrayCount = input == null ? 0 : input.GetLength(0);

        for (int i = 0; i < arrayCount; i++) {
            var val = input.GetValue(i);
            XElement childElement = val.GetType().IsSimpleType() ? new XElement(name + "_" + i, val) : _ToXml(val, null, i, name);

            rootElement.Add(childElement);
        }

        return rootElement;
    }

    #region .IsSimpleType
    public static bool IsSimpleType(this Type type) {
        return type.IsPrimitive || WriteTypes.Contains(type);
    }
    #endregion .IsSimpleType

    #endregion helpers
    #endregion .ToXml
}
公共静态类ObjectExtensions{
#区域专用字段
私有静态只读类型[]WriteType=new[]{
typeof(字符串)、typeof(日期时间)、typeof(枚举),
typeof(十进制)、typeof(Guid),
};
#端域专用字段
#地区
/// 
///将匿名类型转换为XElement。
/// 
///输入。
///以对象在XElement中的XML表示形式返回该对象。
公共静态XML(此对象输入){
返回input.ToXml(null);
}
/// 
///将匿名类型转换为XElement。
/// 
///输入。
///元素名称。
///以对象在XElement中的XML表示形式返回该对象。
公共静态XElement ToXml(此对象输入,字符串元素){
返回_ToXml(输入,元素);
}
私有静态XElement_ToXml(对象输入,字符串元素,int?arrayIndex=null,字符串arrayName=null){
如果(输入==null)
返回null;
if(String.IsNullOrEmpty(元素)){
字符串名称=input.GetType().name;
元素=名称。包含(“匿名类型”)
“对象”
:arrayIndex!=null
?arrayName+“”+arrayIndex
:姓名;
}
element=XmlConvert.EncodeName(元素);
var ret=新元素(元素);
如果(输入!=null){
var type=input.GetType();
var props=type.GetProperties();
变量元素=道具。选择(p=>{
var pType=Nullable.GetUnderlyingType(p.PropertyType)??p.PropertyType;
var name=XmlConvert.EncodeName(p.name);
var val=pType.IsArray?“数组”:p.GetValue(输入,null);
var值=pType.IsArray
?GetArrayElement(p,(数组)p.GetValue(输入,null))
:pType.IsSimpleType()| | pType.IsEnum
?新元素(名称、val)
:val.ToXml(名称);
返回值;
})
。其中(v=>v!=null);
ret.Add(元素);
}
返回ret;
}
#地区助手
/// 
///获取数组元素。
/// 
///属性信息。
///输入对象。
///返回数组集合作为子元素的XElement。
私有静态XElement GetArrayElement(属性信息、数组输入){
var name=XmlConvert.EncodeName(info.name);
XElement根元素=新XElement(名称);
var arrayCount=input==null?0:input.GetLength(0);
for(int i=0;i
我自己版本的优秀作品@Matthew和@Martin:现在支持枚举数组,并且将数组的概念推广到IEnumerable中,以便也支持所有类型的集合

public static class ObjectExtensions {
/// <summary>
/// Converts an anonymous type to an XElement.
/// </summary>
/// <param name="input">The input.</param>
/// <returns>Returns the object as it's XML representation in an XElement.</returns>
public static XElement ToXml2(this object input) {
    return input.ToXml2(null);
}

/// <summary>
/// Converts an anonymous type to an XElement.
/// </summary>
/// <param name="input">The input.</param>
/// <param name="element">The element name.</param>
/// <returns>Returns the object as it's XML representation in an XElement.</returns>
public static XElement ToXml2(this object input, string element) {
    return _ToXml(input, element);
}

private static XElement _ToXml(object input, string element, int? arrayIndex = null, string arrayName = null) {
    if (input == null)
        return null;

    if (String.IsNullOrEmpty(element)) {
        string name = input.GetType().Name;
        element = name.Contains("AnonymousType") 
            ? "Object" 
            : arrayIndex != null
                ? arrayName + "_" + arrayIndex
                : name;
    }

    element = XmlConvert.EncodeName(element);
    var ret = new XElement(element);

    if (input != null) {
        var type = input.GetType();
        var props = type.GetProperties();

        var elements = props.Select(p => {
            var pType = Nullable.GetUnderlyingType(p.PropertyType) ?? p.PropertyType;
            var name = XmlConvert.EncodeName(p.Name);
            var val = pType.IsArray ? "array" : p.GetValue(input, null);
            var value = pType.IsEnumerable()
                ? GetEnumerableElements(p, (IEnumerable)p.GetValue(input, null))
                : pType.IsSimpleType2() || pType.IsEnum 
                    ? new XElement(name, val) 
                    : val.ToXml2(name);
            return value;
        })
        .Where(v=>v !=null);

        ret.Add(elements);
    }

    return ret;
}

#region helpers

private static XElement GetEnumerableElements(PropertyInfo info, IEnumerable input) {
    var name = XmlConvert.EncodeName(info.Name);

    XElement rootElement = new XElement(name);

    int i = 0;
    foreach(var v in input)
    {
        XElement childElement = v.GetType().IsSimpleType2() || v.GetType().IsEnum ? new XElement(name + "_" + i, v) : _ToXml(v, null, i, name);
        rootElement.Add(childElement);
        i++;
    }
    return rootElement;
}

private static readonly Type[] WriteTypes = new[] {
    typeof(string), typeof(DateTime), typeof(Enum), 
    typeof(decimal), typeof(Guid),
};
public static bool IsSimpleType2(this Type type) {
    return type.IsPrimitive || WriteTypes.Contains(type);
}

private static readonly Type[] FlatternTypes = new[] {
    typeof(string)
};
public static bool IsEnumerable(this Type type) {
    return typeof(IEnumerable).IsAssignableFrom(type) && !FlatternTypes.Contains(type);
}
#endregion
}
公共静态类ObjectExtensions{
/// 
///将匿名类型转换为XElement。
/// 
///输入。
///以对象在XElement中的XML表示形式返回该对象。
公共静态XElement ToXml2(此对象输入){
返回输入。ToXml2(空);
}
/// 
///将匿名类型转换为XElement。
/// 
///输入。
///元素名称。
///以对象在XElement中的XML表示形式返回该对象。
公共静态XElement ToXml2(此对象输入,字符串元素){
返回_ToXml(输入,元素);
}
私有静态XElement_ToXml(对象输入,字符串元素,int?arrayIndex=null,字符串arrayName=null){
如果(输入==null)
返回null;
if(String.IsNullOrEmpty(元素)){
字符串名称=input.GetType().name;
元素=名称。包含(“匿名类型”)
“对象”
:arrayIndex!=null
?arrayName+“”+arrayIndex
:姓名;
}
element=XmlConvert.EncodeName(元素);
var ret=新元素(元素);
如果(输入!=null){
var type=input.GetType();
var props=type.GetProperties();
变量元素=道具。选择(p=>{
var pType=Nullable.GetUnderlyingType(p.PropertyType)??p.PropertyType;
var name=XmlConvert.EncodeName(p.name);
var val=pType.IsArray?“数组”:p.GetValue(输入,null);
var value=pType.IsEnumerable()
?GetEnumerableElements(p,(IEnumerable)p.GetValue(输入,null))
:pType.IsSimpleType2()| | pType.IsEnum
?新元素(名称、val)
:val.ToXml2(名称);
new
{
    Foo = new[]
    {
        new { Name = "One" },
        new { Name = "Two" },
    },
    Bar = new[]
    {
        new { Name = "Three" },
        new { Name = "Four" },
    },
}
<object>
    <Foo><Name>One</Name></Foo>
    <Foo><Name>Two</Name></Foo>
    <Bar><Name>Three</Name></Bar>
    <Bar><Name>Four</Name></Bar>
</object>
public static class Tools
{
    private static readonly Type[] WriteTypes = new[] {
        typeof(string),
        typeof(Enum),
        typeof(DateTime), typeof(DateTime?),
        typeof(DateTimeOffset), typeof(DateTimeOffset?),
        typeof(int), typeof(int?),
        typeof(decimal), typeof(decimal?),
        typeof(Guid), typeof(Guid?),
    };
    public static bool IsSimpleType(this Type type)
    {
        return type.IsPrimitive || WriteTypes.Contains(type);
    }
    public static object ToXml(this object input)
    {
        return input.ToXml(null);
    }
    public static object ToXml(this object input, string element)
    {
        if (input == null)
            return null;

        if (string.IsNullOrEmpty(element))
            element = "object";
        element = XmlConvert.EncodeName(element);
        var ret = new XElement(element);

        if (input != null)
        {
            var type = input.GetType();

            if (input is IEnumerable && !type.IsSimpleType())
            {
                var elements = (input as IEnumerable<object>)
                    .Select(m => m.ToXml(element))
                    .ToArray();

                return elements;
            }
            else
            {
                var props = type.GetProperties();

                var elements = from prop in props
                               let name = XmlConvert.EncodeName(prop.Name)
                               let val = prop.GetValue(input, null)
                               let value = prop.PropertyType.IsSimpleType()
                                    ? new XElement(name, val)
                                    : val.ToXml(name)
                               where value != null
                               select value;

                ret.Add(elements);
            }
        }

        return ret;
    }
}
var jsonText = JsonConvert.SerializeObject(data);           // convert to JSON
XmlDocument doc = JsonConvert.DeserializeXmlNode(jsonText); // convert JSON to XML Document
var data = new       // data - Anonymous Type
{
    Request = new
    {
        OrderNumber = 123,
        Note = "Hello World"
    }
};

var jsonText = JsonConvert.SerializeObject(data);           
XmlDocument doc = JsonConvert.DeserializeXmlNode(jsonText);

Console.WriteLine(doc.OuterXml);                            
<Request>
    <OrderNumber>123</OrderNumber>
    <Note>Hello World</Note>
</Request>
using System;
using System.Collections.Generic;
using System.Linq;
using System.Reflection;
using System.Reflection.Emit;


namespace Configuration
{
public static class DynamicTypeBuilder
{
    public static object CreateNewObject(string typeName, Dictionary<string, Type> properties, out Type newType)
    {
        newType = CompileResultType(typeName, properties);
        return Activator.CreateInstance(newType);
    }

    public static Type CompileResultType(string typeName, Dictionary<string, Type> properties)
    {
        TypeBuilder tb = GetTypeBuilder(typeName);
        ConstructorBuilder constructor = tb.DefineDefaultConstructor(MethodAttributes.Public | MethodAttributes.SpecialName | MethodAttributes.RTSpecialName);

        //Add properties
        properties.ToList().ForEach(p => CreateProperty(tb, p.Key, p.Value));

        //Created Type with properties
        Type objectType = tb.CreateType();
        return objectType;
    }

    //Create Type with an standard configuration
    private static TypeBuilder GetTypeBuilder(string typeName)
    {
        string assemblyName = typeName + "InternalAssembly";
        var an = new AssemblyName(assemblyName);
        AssemblyBuilder assemblyBuilder = AssemblyBuilder.DefineDynamicAssembly(an, AssemblyBuilderAccess.Run);
        ModuleBuilder moduleBuilder = assemblyBuilder.DefineDynamicModule("MainModule");
        TypeBuilder tb = moduleBuilder.DefineType(typeName,
                TypeAttributes.Public |
                TypeAttributes.Class |
                TypeAttributes.AutoClass |
                TypeAttributes.AnsiClass |
                TypeAttributes.BeforeFieldInit |
                TypeAttributes.AutoLayout,
                null);
        return tb;
    }

    private static void CreateProperty(TypeBuilder tb, string propertyName, Type propertyType)
    {
        FieldBuilder fieldBuilder = tb.DefineField("_" + propertyName, propertyType, FieldAttributes.Private);

        PropertyBuilder propertyBuilder = tb.DefineProperty(propertyName, PropertyAttributes.HasDefault, propertyType, null);
        MethodBuilder getPropMthdBldr = tb.DefineMethod("get_" + propertyName, MethodAttributes.Public | MethodAttributes.SpecialName | MethodAttributes.HideBySig, propertyType, Type.EmptyTypes);
        ILGenerator getIl = getPropMthdBldr.GetILGenerator();

        getIl.Emit(OpCodes.Ldarg_0);
        getIl.Emit(OpCodes.Ldfld, fieldBuilder);
        getIl.Emit(OpCodes.Ret);

        MethodBuilder setPropMthdBldr =
            tb.DefineMethod("set_" + propertyName,
              MethodAttributes.Public |
              MethodAttributes.SpecialName |
              MethodAttributes.HideBySig,
              null, new[] { propertyType });

        ILGenerator setIl = setPropMthdBldr.GetILGenerator();
        Label modifyProperty = setIl.DefineLabel();
        Label exitSet = setIl.DefineLabel();

        setIl.MarkLabel(modifyProperty);
        setIl.Emit(OpCodes.Ldarg_0);
        setIl.Emit(OpCodes.Ldarg_1);
        setIl.Emit(OpCodes.Stfld, fieldBuilder);

        setIl.Emit(OpCodes.Nop);
        setIl.MarkLabel(exitSet);
        setIl.Emit(OpCodes.Ret);

        propertyBuilder.SetGetMethod(getPropMthdBldr);
        propertyBuilder.SetSetMethod(setPropMthdBldr);
    }
}

public static class ConvertAnonymousToType
{
    public static object Convert(string typeName, object target, out Type newType)
    {
        var properties = GetProperties(target);
        newType = DynamicTypeBuilder.CompileResultType(typeName, properties);
        return Convert(newType, target);
    }

    public static object Convert(Type type, object target)
    {
        if (target.GetType().Name == typeof(List<>).Name)
        {
            var newListType = typeof(List<>).MakeGenericType(type);
            var newList = Activator.CreateInstance(newListType);
            MethodInfo addMethod = newList.GetType().GetMethod("Add");
            ((IList<object>)target).ToList().ForEach(e =>
            {
                addMethod.Invoke(newList, new object[] { ConvertObject(type, e) });
            });
            return newList;
        }
        else
        {
            return ConvertObject(type, target);
        }
    }

    private static object ConvertObject(Type type, object refObject)
    {
        Dictionary<string, Type> properties = new Dictionary<string, Type>();
        object newObject = Activator.CreateInstance(type);
        var propertiesOrg = refObject.GetType().GetProperties(BindingFlags.DeclaredOnly | BindingFlags.Instance | BindingFlags.Public | BindingFlags.NonPublic).ToList();
        var propertiesDes = newObject.GetType().GetProperties(BindingFlags.DeclaredOnly | BindingFlags.Instance | BindingFlags.Public | BindingFlags.NonPublic).ToList();
        propertiesOrg.ForEach(po => propertiesDes.First(pd => pd.Name == po.Name).SetValue(newObject, po.GetValue(refObject)));
        return newObject;
    }

    private static Dictionary<string, Type> GetProperties(object target)
    {
        object objectRef = target;
        if (target.GetType().Name == typeof(List<>).Name) objectRef = ((List<object>)target).ToList()[0];

        Dictionary<string, Type> properties = new Dictionary<string, Type>();
        var lstProperties = objectRef.GetType().GetProperties(BindingFlags.DeclaredOnly | BindingFlags.Instance | BindingFlags.Public | BindingFlags.NonPublic).ToList();
        lstProperties.ForEach(p => properties.Add(p.Name, p.PropertyType));
        return properties;
    }

}
}
public static class AnonymousTypeSerializer
{
    private static XNamespace _xmlInstanceNs = "http://www.w3.org/2001/XMLSchema-instance";

    private static readonly Type[] WriteTypes = new[] {
        typeof(string), typeof(DateTime), typeof(Enum),
        typeof(decimal), typeof(Guid),
    };

    private static readonly Dictionary<Type, string> SerializedTypeNames = new Dictionary<Type, string>()
    {
        { typeof(int), "int" },
        { typeof(long), "long" }
    };

    /// <summary>
    /// Converts an anonymous type to an XElement.
    /// </summary>
    /// <param name="input">The input.</param>
    /// <returns>Returns the object as it's XML representation in an XElement.</returns>
    public static XElement ToXml(this object input)
    {
        return input.ToXml(null);
    }

    /// <summary>
    /// Converts an anonymous type to an XElement.
    /// </summary>
    /// <param name="input">The input.</param>
    /// <param name="element">The element name.</param>
    /// <returns>Returns the object as it's XML representation in an XElement.</returns>
    public static XElement ToXml(this object input, string element, XNamespace ns = null)
    {
        return _ToXml(input, element, ns ?? XNamespace.None);
    }

    private static XElement _ToXml(object input, string element, XNamespace ns = null, int? arrayIndex = null, string arrayName = null)
    {
        if (input == null)
            return null;

        if (string.IsNullOrEmpty(element))
        {
            string name = input.GetType().Name;
            element = name.Contains("AnonymousType")
                ? "Object"
                : arrayIndex != null
                    ? $"{arrayName}"
                    : name;
        }

        element = XmlConvert.EncodeName(element);
        XElement ret = new XElement(ns.GetName(element));

        if (input != null)
        {
            var type = input.GetType();
            var props = type.GetProperties();
            var xmlType = type.GetCustomAttribute<XmlTypeAttribute>(true);

            if (xmlType != null && xmlType.Namespace != null)
                ns = xmlType.Namespace;

            ret.Add(props.Select(p =>
            {
                var pType = Nullable.GetUnderlyingType(p.PropertyType) ?? p.PropertyType;
                var name = XmlConvert.EncodeName(p.Name);

                var val = pType.IsArray ? "array" : p.GetValue(input, null);
                var value = pType.IsArray
                    ? GetArrayElement(p, (Array)p.GetValue(input, null), ns)
                    : pType.IsSimpleType() || pType.IsEnum
                        ? new XElement(ns.GetName(name), val)
                        : val.ToXml(name, ns);

                return value;
            }).Where(v => v != null));
        }

        return ret;
    }

    /// <summary>
    /// Gets the array element.
    /// </summary>
    /// <param name="info">The property info.</param>
    /// <param name="input">The input object.</param>
    /// <returns>Returns an XElement with the array collection as child elements.</returns>
    private static XElement GetArrayElement(PropertyInfo info, Array input, XNamespace ns)
    {
        var name = XmlConvert.EncodeName(info.Name);
        var arrayCount = input == null ? 0 : input.GetLength(0);
        var elementType = input.GetType().GetElementType();
        var isAnyType = elementType == typeof(object);

        XElement rootElement;
        if (isAnyType)
            rootElement = new XElement(ns + name, new XAttribute(XNamespace.Xmlns + "xsi", _xmlInstanceNs));
        else
            rootElement = new XElement(ns + name);

        for (int i = 0; i < arrayCount; i++)
        {
            var val = input.GetValue(i);

            if (isAnyType)
            {
                var valType = val.GetType();
                var xmlType = valType.GetCustomAttribute<XmlTypeAttribute>(true);
                XNamespace valNs = ns;

                if (xmlType != null && xmlType.Namespace != null)
                    valNs = xmlType.Namespace;

                // Create anyType element
                var childElement = new XElement(ns + "anyType", new XAttribute(XNamespace.Xmlns + $"p{rootElement.Elements().Count()}", valNs));

                // Create type attribute
                var nsPrefix = childElement.GetPrefixOfNamespace(valNs);
                childElement.Add(new XAttribute(_xmlInstanceNs + "type",
                    !string.IsNullOrEmpty(nsPrefix)
                        ? $"{nsPrefix}:{valType.Name}"
                        : valType.Name));

                // Create child elements
                var inner = _ToXml(val, null, ns, i, "anyType");
                childElement.Add(inner.Elements());

                // Done
                rootElement.Add(childElement);
            }
            else
            {
                if (!SerializedTypeNames.TryGetValue(elementType, out var typeName))
                    typeName = elementType.Name;

                rootElement.Add(elementType.IsSimpleType()
                    ? new XElement(ns.GetName(typeName.ToLower()), val)
                    : _ToXml(val, null, ns, i, typeName));
            }
        }

        return rootElement;
    }

    public static bool IsSimpleType(this Type type)
    {
        return type.IsPrimitive || WriteTypes.Contains(type);
    }
}
var jsonText = JsonConvert.SerializeObject(data);           
XmlDocument doc = JsonConvert.DeserializeXmlNode(jsonText);
using Newtonsoft.Json;
using Newtonsoft.Json.Linq;

XmlDocument doc = JsonConvert.DeserializeXmlNode(JsonConvert.SerializeObject(data));