我想创建一个自定义XML结构,如下所示:
<Hotels>
<Hotel />
</Hotels>
为了能够做到这一点,我创建了List
的实现。我的代码如下:
[XmlRootAttribute(ElementName="Hotels")]
public class HotelList: List<HotelBasic>
因为List保存的类不是Hotel
,而是HotelBasic
我的xml就像
<Hotels>
<HotelBasic />
</Hotels>
如何在不必实施ISerializable
或IEnumerable
?
答案 0 :(得分:26)
[XmlArray("Hotels")]
[XmlArrayItem(typeof(Hotel), ElementName="Hotel")]
public HotelList[] Messages { get; set; }
应该产生:
<Hotels>
<Hotel />
<Hotel />
</Hotels>
[XmlRoot("Hotels")]
public class HotelList : IXmlSerializable
{
public System.Xml.Schema.XmlSchema GetSchema()
{
return null;
}
public void ReadXml(XmlReader reader)
{
this.Hotels = XDocument.Load(reader)
.Select(h => new Hotel { Name = (string)h.Attribute("name") }
.ToList();
}
public void WriteXml(XmlWriter writer)
{
throw new NotSupportedException();
}
}
答案 1 :(得分:16)
假设您使用的是XmlSerializer
,如果您要做的只是更改HotelBasic
类序列化的方式,则可以使用XmlTypeAttribute
:
[XmlType(TypeName = "Hotel")]
public class HotelBasic
{
public string Name { get; set; }
}
与HotelList
课程一起使用时,它将被序列化为:
<Hotels xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema">
<Hotel>
<Name>One</Name>
</Hotel>
<Hotel>
<Name>Two</Name>
</Hotel>
</Hotels>
答案 2 :(得分:7)
我认为madd0在这里显示了最简单的选项,但仅仅是为了完整性......我个人不推荐“将列表序列化为根对象” - 出于各种原因(包括:我见过这些属性)至少在平台上不起作用 - 可能是CF或SL,不记得了)。相反,我总是建议使用自定义根类型:
[XmlRoot("Hotels")]
public class HotelResult // or something similar
{
[XmlElement("Hotel")]
public List<HotelBasic> Hotels { get { return hotel; } }
private readonly List<HotelBasic> hotels = new List<HotelBasic>();
}
这将具有相同的xml结构,并允许更大的灵活性(您可以向根添加其他属性/元素),并且不会将List<T>
烘焙到您的类型模型中(更喜欢封装而不是继承等)