Прочитавши документацію Microsoft та декілька рішень в Інтернеті, я виявив рішення цієї проблеми. Він працює як із вбудованою, так XmlSerializer
і спеціальною серіалізацією XML через IXmlSerialiazble
.
На доцільність, я буду використовувати той самий MyTypeWithNamespaces
зразок XML, який використовувався у відповідях на це питання досі.
[XmlRoot("MyTypeWithNamespaces", Namespace="urn:Abracadabra", IsNullable=false)]
public class MyTypeWithNamespaces
{
// As noted below, per Microsoft's documentation, if the class exposes a public
// member of type XmlSerializerNamespaces decorated with the
// XmlNamespacesDeclarationAttribute, then the XmlSerializer will utilize those
// namespaces during serialization.
public MyTypeWithNamespaces( )
{
this._namespaces = new XmlSerializerNamespaces(new XmlQualifiedName[] {
// Don't do this!! Microsoft's documentation explicitly says it's not supported.
// It doesn't throw any exceptions, but in my testing, it didn't always work.
// new XmlQualifiedName(string.Empty, string.Empty), // And don't do this:
// new XmlQualifiedName("", "")
// DO THIS:
new XmlQualifiedName(string.Empty, "urn:Abracadabra") // Default Namespace
// Add any other namespaces, with prefixes, here.
});
}
// If you have other constructors, make sure to call the default constructor.
public MyTypeWithNamespaces(string label, int epoch) : this( )
{
this._label = label;
this._epoch = epoch;
}
// An element with a declared namespace different than the namespace
// of the enclosing type.
[XmlElement(Namespace="urn:Whoohoo")]
public string Label
{
get { return this._label; }
set { this._label = value; }
}
private string _label;
// An element whose tag will be the same name as the property name.
// Also, this element will inherit the namespace of the enclosing type.
public int Epoch
{
get { return this._epoch; }
set { this._epoch = value; }
}
private int _epoch;
// Per Microsoft's documentation, you can add some public member that
// returns a XmlSerializerNamespaces object. They use a public field,
// but that's sloppy. So I'll use a private backed-field with a public
// getter property. Also, per the documentation, for this to work with
// the XmlSerializer, decorate it with the XmlNamespaceDeclarations
// attribute.
[XmlNamespaceDeclarations]
public XmlSerializerNamespaces Namespaces
{
get { return this._namespaces; }
}
private XmlSerializerNamespaces _namespaces;
}
Це все для цього класу. Тепер деякі заперечують проти того, щоб XmlSerializerNamespaces
об’єкт був десь у межах своїх класів; але, як ви бачите, я акуратно уклав його в конструктор за замовчуванням і викрив публічну власність, щоб повернути простори імен.
Тепер, коли настає час для серіалізації класу, ви використовуєте такий код:
MyTypeWithNamespaces myType = new MyTypeWithNamespaces("myLabel", 42);
/******
OK, I just figured I could do this to make the code shorter, so I commented out the
below and replaced it with what follows:
// You have to use this constructor in order for the root element to have the right namespaces.
// If you need to do custom serialization of inner objects, you can use a shortened constructor.
XmlSerializer xs = new XmlSerializer(typeof(MyTypeWithNamespaces), new XmlAttributeOverrides(),
new Type[]{}, new XmlRootAttribute("MyTypeWithNamespaces"), "urn:Abracadabra");
******/
XmlSerializer xs = new XmlSerializer(typeof(MyTypeWithNamespaces),
new XmlRootAttribute("MyTypeWithNamespaces") { Namespace="urn:Abracadabra" });
// I'll use a MemoryStream as my backing store.
MemoryStream ms = new MemoryStream();
// This is extra! If you want to change the settings for the XmlSerializer, you have to create
// a separate XmlWriterSettings object and use the XmlTextWriter.Create(...) factory method.
// So, in this case, I want to omit the XML declaration.
XmlWriterSettings xws = new XmlWriterSettings();
xws.OmitXmlDeclaration = true;
xws.Encoding = Encoding.UTF8; // This is probably the default
// You could use the XmlWriterSetting to set indenting and new line options, but the
// XmlTextWriter class has a much easier method to accomplish that.
// The factory method returns a XmlWriter, not a XmlTextWriter, so cast it.
XmlTextWriter xtw = (XmlTextWriter)XmlTextWriter.Create(ms, xws);
// Then we can set our indenting options (this is, of course, optional).
xtw.Formatting = Formatting.Indented;
// Now serialize our object.
xs.Serialize(xtw, myType, myType.Namespaces);
Після цього ви повинні отримати такий результат:
<MyTypeWithNamespaces>
<Label xmlns="urn:Whoohoo">myLabel</Label>
<Epoch>42</Epoch>
</MyTypeWithNamespaces>
Я успішно використовував цей метод в недавньому проекті з глибокою ієрархією класів, які серіалізуються в XML для дзвінків веб-служб. У документації Microsoft не дуже зрозуміло, що робити з публічно доступним XmlSerializerNamespaces
членом, коли ви створили його, і так багато хто вважає, що це марно. Але, дотримуючись їх документації та використовуючи її, як показано вище, ви можете налаштувати, як XmlSerializer генерує XML для ваших класів, не вдаючись до непідтримуваної поведінки або "прокатуючи власну" серіалізацію, застосовуючиIXmlSerializable
.
Я сподіваюся, що ця відповідь раз і назавжди дасть змогу позбутися того, як позбутися стандарту xsi
та xsd
просторів імен, породжених XmlSerializer
.
ОНОВЛЕННЯ: Я просто хочу переконатися, що я відповів на питання ОП про видалення всіх просторів імен. Мій код вище буде працювати для цього; дозвольте мені показати, як. Тепер у наведеному вище прикладі ви дійсно не можете позбутися всіх просторів імен (тому що використовуються два простори імен). Десь у вашому документі XML вам потрібно буде щось подібне xmlns="urn:Abracadabra" xmlns:w="urn:Whoohoo
. Якщо клас у прикладі є частиною більшого документа, то десь над простором імен необхідно оголосити або один із (або обох) Abracadbra
та Whoohoo
. Якщо ні, то елемент в одному або обох просторах імен повинен бути прикрашений певним префіксом (у вас не може бути двох просторів імен за замовчуванням, правда?). Отже, для цього прикладу Abracadabra
є простір імен defalt. Я міг би всередині свого MyTypeWithNamespaces
класу додати префікс простору імен для Whoohoo
простору імен так:
public MyTypeWithNamespaces
{
this._namespaces = new XmlSerializerNamespaces(new XmlQualifiedName[] {
new XmlQualifiedName(string.Empty, "urn:Abracadabra"), // Default Namespace
new XmlQualifiedName("w", "urn:Whoohoo")
});
}
Тепер у своєму визначенні класу я вказав, що <Label/>
елемент знаходиться в просторі імен "urn:Whoohoo"
, тому далі мені нічого не потрібно робити. Коли я тепер серіалізую клас, використовуючи мій вище код серіалізації без змін, це вихід:
<MyTypeWithNamespaces xmlns:w="urn:Whoohoo">
<w:Label>myLabel</w:Label>
<Epoch>42</Epoch>
</MyTypeWithNamespaces>
Оскільки <Label>
він знаходиться в іншому просторі імен від решти документа, він, певним чином, повинен бути «прикрашений» простором імен. Зауважте, що досі немає xsi
і xsd
просторів імен.