XmlSerializer 忽略属性

XmlSerializer ignores attributes

XmlSerializer 忽略 class 属性。我正在编写简单的序列化程序,我使用了 [Serializable][NonSerialized] 属性,我还尝试使用 [XmlRoot][XmlIgnore]。我注意到,尽管该字段具有 [NonSerialized] 属性,但它是序列化的。

而且它还会忽略其他属性,例如[XmAtribute]。然后我发现甚至不需要使用任何属性,我可以在没有这些属性的情况下序列化class,我怎么能忽略一些字段呢?

我的class:

[Serializable]
public class Route
{
    int busNumber;
    string busType, destination;
    DateTime departure, arrival;
    [NonSerialized]DateTime creationDate;
    ...
}

我正在尝试序列化 List<Route>

private void saveToolStripMenuItem_Click(object sender, EventArgs e)
{
    Stream stream = File.OpenWrite(Environment.CurrentDirectory + "\routes.xml");
    XmlSerializer xmlSer = new XmlSerializer(typeof(List<Route>));
    xmlSer.Serialize(stream, ((FileForm)ActiveMdiChild).routes);
    stream.Close();
}

尝试覆盖序列化程序:

// Return an XmlSerializer used for overriding.
   public XmlSerializer CreateOverrider()
   {
      // Create the XmlAttributeOverrides and XmlAttributes objects.
      XmlAttributeOverrides xOver = new XmlAttributeOverrides();
      XmlAttributes attrs = new XmlAttributes();

      /* Setting XmlIgnore to false overrides the XmlIgnoreAttribute
         applied to the Comment field. Thus it will be serialized.*/
      attrs.XmlIgnore = false;
      xOver.Add(typeof(Group), "Comment", attrs);

      /* Use the XmlIgnore to instruct the XmlSerializer to ignore
         the GroupName instead. */
      attrs = new XmlAttributes();
      attrs.XmlIgnore = true;
      xOver.Add(typeof(Group), "GroupName", attrs);

      XmlSerializer xSer = new XmlSerializer(typeof(Group), xOver);
      return xSer;
   }

   public void SerializeObject(string filename)
   {
      // Create an XmlSerializer instance.
      XmlSerializer xSer = CreateOverrider();

      // Create the object to serialize and set its properties.
      Group myGroup = new Group();
      myGroup.GroupName = ".NET";
      myGroup.Comment = "My Comment...";

      // Writing the file requires a TextWriter.
      TextWriter writer = new StreamWriter(filename);

      // Serialize the object and close the TextWriter.
      xSer.Serialize(writer, myGroup);
      writer.Close();
   }

https://msdn.microsoft.com/en-us/library/system.xml.serialization.xmlattributes.xmlignore.aspx

您使用了错误的属性。由于您使用的是 XmlSerializer,因此您应该使用 XML 特定属性。检查这个 link

https://msdn.microsoft.com/en-us/en-en/library/system.xml.serialization.xmlattributes.xmlignore(v=vs.110).aspx

我相信您正在寻找 XmlIgnoreAttribute。此外,需要序列化的属性必须声明为 public.

用法如下:

public class Route
{
    public int busNumber;
    public string busType, destination;
    public DateTime departure, arrival;
    [XmlIgnore]
    public DateTime creationDate;

    // how to ignore a property
    private int ignored;
    [XmlIgnore]
    public int Ignored { get { return ignored; } set { ignored = value; } }
}