dzs
dzs

Reputation: 415

How to exclude a class from the XML serialization assembly

I have a C# project where I have to activate XML serialization assembly generation (GenerateSerializationAssemblies in csproj).

The project contains a class that is derived from System.ComponentModel.Composition.ExportAttribute.

[AttributeUsage(AttributeTargets.Class, AllowMultiple = true, Inherited = false)]
public class MyExportAttribute : ExportAttribute
{ ... }

The compiler fails with an error complaining about a missing public property setter on ExportAttribute.ContractName:

Error 10 Cannot deserialize type 'System.ComponentModel.Composition.ExportAttribute' because it contains property 'ContractName' which has no public setter. 

Actually I do not want to serialize this class, so I'd like to exclude it from the serialization assembly. Can I do that? Or alternatively, specify which classes to include?

What I've tried / thought of so far:

Upvotes: 2

Views: 1025

Answers (1)

binki
binki

Reputation: 8308

To work around this error, I implemented IXmlSerializable on the class that gave sgen issues. I implemented each required member by throwing NotImplementedException:

[AttributeUsage(AttributeTargets.Class, AllowMultiple = true, Inherited = false)]
public class MyExportAttribute
    : ExportAttribute
    // Necessary to prevent sgen.exe from exploding since we are
    // a public type with a parameterless constructor.
    , System.Xml.Serialization.IXmlSerializable
{
    System.Xml.Schema.XmlSchema System.Xml.Serialization.IXmlSerializable.GetSchema() => throw new NotImplementedException("Not serializable");
    void System.Xml.Serialization.IXmlSerializable.ReadXml(System.Xml.XmlReader reader) => throw new NotImplementedException("Not serializable");
    void System.Xml.Serialization.IXmlSerializable.WriteXml(System.Xml.XmlWriter writer) => throw new NotImplementedException("Not serializable");
}

Upvotes: 1

Related Questions