我正在尝试以特定格式生成xml文档。我想跳过根据属性值序列化属性。
public class Parent
{
public Parent()
{
myChild = new Child();
myChild2 = new Child() { Value = "Value" };
}
public Child myChild { get; set; }
public Child myChild2 { get; set; }
}
public class Child
{
private bool _set;
public bool Set { get { return _set; } }
private string _value = "default";
[System.Xml.Serialization.XmlText()]
public string Value
{
get { return _value; }
set { _value = value; _set = true; }
}
}
System.Xml.Serialization.XmlSerializer x = new System.Xml.Serialization.XmlSerializer(typeof(Parent));
x.Serialize(Console.Out, new Parent());
如果Set为false,我希望整个属性不被序列化,我得到的xml应该是
<Parent>
<myChild2>default</myChild2>
</Parent>
而不是
<Parent>
<myChild/>
<myChild2>default</myChild2>
</Parent>
有什么方法可以用IXmlSerializable或其他任何东西干净利落地做到这一点?
谢谢!
答案 0 :(得分:6)
有一个ShouldSerialize *模式(由TypeDescriptor引入,但由其他一些代码区域识别,例如XmlSerializer):
public bool ShouldSerializemyChild() {
return myChild != null && myChild.Set;
}
应该对它进行排序。
更简单的选择是将其指定为null。
答案 1 :(得分:0)
如果数组定义了“mychild”,我认为它可以做得很好......
public class Parent
{
public Parent()
{
myChild = new Child[]{ new Child(){Value = "Value"}};
//myChild2 = new Child() { Value = "Value" };
}
public Child[] myChild { get; set; }
//public Child myChild2 { get; set; }
}
答案 2 :(得分:0)
我认为这可行,但您可能必须覆盖Equals方法
[DefaultValue(new Child())]
public Child myChild{ get; set; }
答案 3 :(得分:0)
只是为了好玩而写了这段代码,也许在这个过程中学到了一些东西。 如果该属性包含一个名为Set的方法返回bool,并且其当前值为false,则应将any属性设置为null。通过将值设置为false,它应该解决序列化器问题。 任何建议:
public static void RemoveUnsetObjects(object currentObject)
{
var type = currentObject.GetType();
if (currentObject is IEnumerable)
{
IEnumerable list = (currentObject as IEnumerable);
foreach (object o in list)
{
RemoveUnsetObjects(o);
}
}
else
{
foreach (var p in type.GetProperties(System.Reflection.BindingFlags.Public | System.Reflection.BindingFlags.Instance))
{
var propertyValue = p.GetValue(currentObject, null);
if (propertyValue == null)
continue;
var setPropInfo = p.PropertyType.GetProperty("Set", typeof(bool));
if (setPropInfo != null)
{
var isSet = (bool)setPropInfo.GetValue(propertyValue, null);
if (!isSet)
{
p.SetValue(currentObject, null, null);
}
}
else
{
RemoveUnsetObjects(propertyValue);
}
}
}
}