XML Serialization and namespace prefixes
I'm looking for a way with C# which I can serialize a class into XML and add a namespace, but define the prefix which that namespace will use.
Ultimately I'm trying to generate the following XML:
<myNamespace:Node xmlns:myNamespace="...">
<childNode>something in here</childNode>
</myNamespace:Node>
I know with both the DataContractSerializer
and the XmlSerializer
I can add a namespace, but they seem to generate a prefix internally, with something that I'm not able to control. Am I able to control it with either of these serializers (I can use either of them)?
If I'm not able to control the generation of the namespaces will I need to write my own XML serializer, and if so, what's the best one to write it for?
To control the namespace alias, use XmlSerializerNamespaces
.
[XmlRoot("Node", Namespace="http://flibble")]
public class MyType {
[XmlElement("childNode")]
public string Value { get; set; }
}
static class Program
{
static void Main()
{
XmlSerializerNamespaces ns = new XmlSerializerNamespaces();
ns.Add("myNamespace", "http://flibble");
XmlSerializer xser = new XmlSerializer(typeof(MyType));
xser.Serialize(Console.Out, new MyType(), ns);
}
}
If you need to change the namespace at runtime, you can additionally use XmlAttributeOverrides
.
When using generated code from a schema where the types have namespaces this namespace override applies at the root level but the tags within of varying types will have the namespace associated with the class.
I had an occasion to need to use two different generated classes but have different name spaces based on which server I was talking to (don't ask not under my control).
I tried all the overrides offered here and finally gave up and used a kind of brute force method that actually worked pretty well. What I did was serialize to a string. Then use string.replace to change the namespaces then posted the stream from the string by using a stringwriter. Same on the response - capture to a string - manipulate the namespace then deserialize the string from a string writer.
It may not be elegant or use all the fancy overrides but it got the job done.
ReferenceURL : https://stackoverflow.com/questions/2339782/xml-serialization-and-namespace-prefixes
'Programing' 카테고리의 다른 글
Extend a java class from one file in another java file (0) | 2020.12.24 |
---|---|
List of ALL MimeTypes on the Planet, mapped to File Extensions? (0) | 2020.12.24 |
What is the basic concept behind WaitHandle? (0) | 2020.12.24 |
PHP - print all properties of an object (0) | 2020.12.24 |
Is Cipher thread-safe? (0) | 2020.12.24 |