我想序列化以下内容:
[Serializable]
[DefaultPropertyAttribute("Name")]
[XmlInclude(typeof(ItemInfo))]
[XmlInclude(typeof(ItemInfoA))]
[XmlInclude(typeof(ItemInfoB))]
public class ItemInfo
{
public string name;
[XmlArray("Items"), XmlArrayItem(typeof(ItemInfo))]
public ArrayList arr;
public ItemInfo parentItemInfo;
}
[Serializable]
[XmlInclude(typeof(ItemInfo))]
[XmlInclude(typeof(ItemInfoA))]
[XmlInclude(typeof(ItemInfoB))]
public class ItemInfoA : ItemInfo
{
...
}
[Serializable]
[XmlInclude(typeof(ItemInfo))]
[XmlInclude(typeof(ItemInfoA))]
[XmlInclude(typeof(ItemInfoB))]
public class ItemInfoB : ItemInfo
{
...
}
类itemInfo
描述了一个容器,它可以容纳数组列表中的其他itemInfo
个对象,parentItemInfo
描述了哪个是项目信息的父容器。
由于ItemInfoA
和ItemInfoB
派生自ItemInfo
,因此它们也可以是数组列表和parentItemInfo
的成员,因此在尝试序列化这些对象时(可以在层次结构中保存许多对象)它失败并带有异常
IvvalidOperationException.`there was an error generating the xml file `
我的问题是:
我需要添加ItemInfo
类哪些属性才能序列化?
注意:仅当使用parentItemInfo
或arrayList初始化ItemInfo [A] / [B]时才会出现异常。
请帮忙!
谢谢!
答案 0 :(得分:8)
通过编辑的问题,看起来你有一个循环。请注意,XmlSerializer
是树序列化程序,而不是图形序列化程序,因此它将失败。这里通常的解决方法是禁用向上遍历:
[XmlIgnore]
public ItemInfo parentItemInfo;
注意,当然,您必须在反序列化后手动修复父项。
重新例外 - 你需要查看InnerException
- 它可能会告诉你这一点,例如你的(catch ex)
:
while(ex != null) {
Debug.WriteLine(ex.Message);
ex = ex.InnerException;
}
我猜它实际上是:
“序列化ItemInfoA类型的对象时检测到循环引用。”
更多通常在设计上,老实说(公共字段,ArrayList
,可设置列表)是不好的做法;这是一个更典型的重写行为相同:
[DefaultPropertyAttribute("Name")]
[XmlInclude(typeof(ItemInfoA))]
[XmlInclude(typeof(ItemInfoB))]
public class ItemInfo
{
[XmlElement("name")]
public string Name { get; set; }
private readonly List<ItemInfo> items = new List<ItemInfo>();
public List<ItemInfo> Items { get { return items; } }
[XmlIgnore]
public ItemInfo ParentItemInfo { get; set; }
}
public class ItemInfoA : ItemInfo
{
}
public class ItemInfoB : ItemInfo
{
}
根据要求,这里是一个一般(不是问题特定的)插图,用于递归设置蜂房中的父母(对于踢我在堆上使用深度优先;对于bredth-first只需交换Stack<T>
Queue<T>
;我尝试在这些场景中避免基于堆栈的递归):
public static void SetParentsRecursive(Item parent)
{
List<Item> done = new List<Item>();
Stack<Item> pending = new Stack<Item>();
pending.Push(parent);
while(pending.Count > 0)
{
parent = pending.Pop();
foreach(var child in parent.Items)
{
if(!done.Contains(child))
{
child.Parent = parent;
done.Add(child);
pending.Push(child);
}
}
}
}