我的问题是How to serialize a TimeSpan to XML
的延续我有很多DTO对象可以传递TimeSpan
个实例。使用原始帖子中描述的hack有效,但它要求我在每个TimeSpan
属性的每个DTO中重复相同数量的代码。
所以,我带来了以下包装类,它可以很好地用于XML序列化:
#if !SILVERLIGHT
[Serializable]
#endif
[DataContract]
public class TimeSpanWrapper
{
[DataMember(Order = 1)]
[XmlIgnore]
public TimeSpan Value { get; set; }
public static implicit operator TimeSpan?(TimeSpanWrapper o)
{
return o == null ? default(TimeSpan?) : o.Value;
}
public static implicit operator TimeSpanWrapper(TimeSpan? o)
{
return o == null ? null : new TimeSpanWrapper { Value = o.Value };
}
public static implicit operator TimeSpan(TimeSpanWrapper o)
{
return o == null ? default(TimeSpan) : o.Value;
}
public static implicit operator TimeSpanWrapper(TimeSpan o)
{
return o == default(TimeSpan) ? null : new TimeSpanWrapper { Value = o };
}
[JsonIgnore]
[XmlElement("Value")]
[Browsable(false), EditorBrowsable(EditorBrowsableState.Never)]
public long ValueMilliSeconds
{
get { return Value.Ticks / 10000; }
set { Value = new TimeSpan(value * 10000); }
}
}
问题是它产生的XML看起来像这样:
<Duration>
<Value>20000</Value>
</Duration>
而不是自然
<Duration>20000</Duration>
我的问题是,我可以“吃蛋糕还是整个蛋糕”?意思是,享受所描述的hack而不会使用相同的重复代码混乱所有DTO并且具有自然的XML?
感谢。
答案 0 :(得分:4)
将[XmlElement("Value")]
更改为[XmlText]
。然后,如果你序列化这样的东西:
[Serializable]
public class TestEntity
{
public string Name { get; set; }
public TimeSpanWrapper Time { get; set; }
}
你会得到这样的XML:
<TestEntity>
<Name>Hello</Name>
<Time>3723000</Time>
</TestEntity>
答案 1 :(得分:0)
您需要实现IXmlSerializable:
[Serializable,XmlSchemaProvider("TimeSpanSchema")]
public class TimeSpanWrapper : IXmlSerializable
{
private TimeSpan _value;
public TimeSpanWrapper()
{
_value = TimeSpan.Zero;
}
public TimeSpanWrapper(TimeSpan value)
{
_value = value;
}
public XmlSchema GetSchema() {
return null;
}
public void ReadXml(XmlReader reader) {
_value = XmlConvert.ToTimeSpan(reader.ReadElementContentAsString());
}
public void WriteXml(XmlWriter writer) {
writer.WriteValue(XmlConvert.ToString(_value));
}
public static XmlQualifiedName TimeSpanSchema(XmlSchemaSet xs)
{
return new XmlQualifiedName("duration", "http://www.w3.org/2001/XMLSchema");
}
public static implicit operator TimeSpan?(TimeSpanWrapper o)
{
return o == null ? default(TimeSpan?) : o._value;
}
public static implicit operator TimeSpanWrapper(TimeSpan? o)
{
return o == null ? null : new TimeSpanWrapper { _value = o.Value };
}
public static implicit operator TimeSpan(TimeSpanWrapper o)
{
return o == null ? default(TimeSpan) : o._value;
}
public static implicit operator TimeSpanWrapper(TimeSpan o)
{
return o == default(TimeSpan) ? null : new TimeSpanWrapper { _value = o };
}
}