使用XmlSerialize反序列化集合会导致空集合
本文关键字:集合 空集 反序列化 使用 XmlSerialize | 更新日期: 2023-09-27 18:19:59
我正在尝试反序列化以下XML文档:
<?xml version="1.0" encoding="utf-8" ?>
<TestPrice>
<Price>
<A>A</A>
<B>B</B>
<C>C</C>
<Intervals>
<Interval>
<A>A</A>
<B>B</B>
<C>C</C>
</Interval>
<Interval>
<A>A</A>
<B>B</B>
<C>C</C>
</Interval>
</Intervals>
</Price>
</TestPrice>
我定义了三个类来将其反序列化为对象图:
public class TestPrice
{
private List<Price> _prices = new List<Price>();
public List<Price> Price
{
get { return _prices; }
set { _prices = value; }
}
}
public class Price
{
public string A { get; set; }
public string B { get; set; }
public string C { get; set; }
private List<Interval> _intervals = new List<Interval>();
public List<Interval> Intervals
{
get { return _intervals; }
set { _intervals = value; }
}
}
public class Interval
{
public string A { get; set; }
public string B { get; set; }
public string C { get; set; }
}
我可以反序列化每个部分。也就是说,我可以做:
var serializer = new XmlSerializer(typeof(Price));
var priceEntity = ((Price)(serializer.Deserialize(XmlReader.Create(stringReader))));
并且priceEntity
是用包含在stringReader
中的XML数据(包括List<Interval> Intervals
)正确初始化的。但是,如果我尝试反序列化一个TestPrice
实例,它总是会出现一个空的List<Price> Price
。
如果我把TestPrice
的定义改成这样:
public class TestPrice
{
public Price Price { get; set; }
}
它有效。当然,我的XSD将Price定义为一个序列。我有其他实体可以反序列化,但它们不包括根元素中的序列。有没有我不知道的限制?我应该在TestPrice
中包含某种元数据吗?
只需用[XmlElement]
:装饰您的价格系列
[XmlElement(ElementName = "Price")]
public List<Price> Price
{
get { return _prices; }
set { _prices = value; }
}
此外,您似乎正在反序列化Price
,而XML中的根标记是TestPrice
。这里有一个完整的例子:
public class TestPrice
{
[XmlElement(ElementName = "Price")]
public List<Price> Price { get; set; }
}
public class Price
{
public string A { get; set; }
public string B { get; set; }
public string C { get; set; }
public List<Interval> Intervals { get; set; }
}
public class Interval
{
public string A { get; set; }
public string B { get; set; }
public string C { get; set; }
}
class Program
{
static void Main()
{
var xml = @"<?xml version=""1.0"" encoding=""utf-8"" ?>
<TestPrice>
<Price>
<A>A</A>
<B>B</B>
<C>C</C>
<Intervals>
<Interval>
<A>A</A>
<B>B</B>
<C>C</C>
</Interval>
<Interval>
<A>A</A>
<B>B</B>
<C>C</C>
</Interval>
</Intervals>
</Price>
</TestPrice>";
var serializer = new XmlSerializer(typeof(TestPrice));
using (var reader = new StringReader(xml))
using (var xmlReader = XmlReader.Create(reader))
{
var priceEntity = (TestPrice)serializer.Deserialize(xmlReader);
foreach (var price in priceEntity.Price)
{
// do something with the price
}
}
}
}