如何标记C#对象以反序列化此XML

时间:2012-03-27 00:52:06

标签: c# xml-deserialization xml-attribute

我无法相信这是多么令人难以置信的复杂......

我有以下XML ...

<Library xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns="http://mynamespace.com/books">
  <Rows>
    <Row>
      <Author><Name>Stephen King</Name></Author>
    </Row>  
   </Rows>
</Library>

我希望反序列化的C#对象读起来像...... Library.Books[0].Author

我已经尝试了一百万种不同的XML属性标记组合来反序列化,例如......

[XmlRootAttribute("Library", Namespace = "http://mynamespace.com/books", IsNullable = false)]
public class Library
{
    [XmlElement("Rows")]
    public List<Book> Books { get; set; }
}

[XmlRoot("Row")]
public class Book
{
    public Author Author { get; set; }
}

[XmlRoot("Author")]
public class Author
{
    public string Name { get; set; }
}

...当我尝试Deserialze时,我不断将“Author”对象视为null。它几乎成功了......我确实在Books属性中获得了一个Book项目的ArrayList。但是对于我的生活,我无法得到作者。

非常感谢任何建议/帮助!

2 个答案:

答案 0 :(得分:3)

尝试

public class Library
{
    [XmlArray("Rows")]
    [XmlArrayItem("Row")]
    public List<Book> Books { get; set; }
}

答案 1 :(得分:1)

如果你想用'手'来写它,你可以使用这些扩展方法:http://searisen.com/xmllib/extensions.wiki

public class Library
{
    XElement self;
    public Library() { self = XElement.Load("libraryFile.xml"); }
    public Book[] Books 
    { 
        get 
        { 
            return _Books ?? 
                (_Books = self.GetEnumerable("Rows/Row", x => new Book(x)).ToArray()); 
        } 
    }
    Book[] _Books ;
}

public class Book
{
    XElement self;
    public Book(XElement xbook) { self = xbook; }
    public Author Author 
    { 
        get { return _Author ??
            (_Author = new Author(self.GetElement("Author")); }
    Author _Author;
}

public class Author
{
    XElement self;
    public Author(XElement xauthor) { self = xauthor; }
    public string Name 
    { 
        get { return self.Get("Name", string.Empty); }
        set { self.Set("Name", value, false); }
    }
}

它需要更多样板代码来制作它,以便您可以添加新书,但您的帖子是关于阅读(解除分类),所以我没有添加它。