I would like to be able to XML serialize a subclass, but exclude its base class from the serialization.
Here's my class (configured for DataObjects.NET):
[Serializable]
[HierarchyRoot]
public class MyClass: Entity
{
[Field, Key] public int Id { get; private set; }
[Field(Length = 20)] public string Name { get; set; }
}
Base class Entity cannot be serialized because it does not have a parameterless constructor.
I won't be trying to reconstitute the object by deserializing (no Liskov issues). I just want the data from the subclass in XML. IXMLSerializable is not an attractive option, as my real classes are numerous and much more complex.
Is there any way to tell XmlSerializer to ignore the base class?
First off, the base class doesn't need a parameterless constructor as long as the derived class,
MyClass
, has one. Thus the following derived class can be round-tripped from and to XML:However, the presence of the property
public int Id { get; private set; }
will cause theXmlSerializer
constructor to throw an exception, becauseId
cannot be set publicly. You need to mark it with[XmlIgnore]
or make the setter public. Or if you really don't want to make the setter public, and never intend to deserialize your xml, you could do something evil like:Secondly, to suppress a specific property in a base class, named
XXX
for instance, you can introduce a method namedbool ShouldSerializeXXX()
in your derived class, and make it return false. This will suppress output of that property, but will need to be done property-by-property. See here for details.If you want to ignore all properties declared in base classes wholesale, you can construct an
XmlSerializer
with givenXmlAttributeOverrides
that specify base class property names to ignore, as is shown here. However, there are some issues of which to be aware:You can only add an
XmlAttributes
override to a property in the type in which the property is actually declared. Doing so will apply to that property in that type and all derived types. This will do what you want - but maybe more than you want. If you try to override the property just in a derived type, the override is ignored. I'm not sure this is documented, but I have found it to be true. Thus if you were serializing an object graph containing both base and derived classes, and wanted to serialize base class properties when "standalone" but not when subclassed, this technique would produce bad results. But in your case it should be OK because your base classes cannot be serialized standalone anyway.You must explicitly cache your
XmlSerializer
in a hash table to avoid memory leaks, as is explained here.Thus, if you know all the base types whose properties should be ignored, you can use the following to manufacture a serializer that serializes subclasses and ignores base class properties: