我们正在尝试序列化对象树。虽然我们取得了成功。我希望找到一种方法来简化生成的xml。
对象看起来如下所示:
public class RuleSet<T>
{
public IEnumerable<IState<T>> States { get; set; }
public IEnumerable<ICondition<T>> Conditions { get; set; }
}
public class State<T> : IState<T>
{
public string Id { get; set; }
public List<ITransition<T>> Transitions { get; set; }
}
public class Transition<T> : ITransition<T>
{
public ICondition<T> Condition { get; set; }
public IState<T> Next { get; set; }
}
public class Condition<T> : ICondition<T>
{
public string Id { get; set; }
public string Name { get; set; }
}
目前我们正在使用一个非常简单的序列化代码:
public void blah()
{
var condition1 = new Condition<object>() {
Id = "C1", AttributeName = "Foo", ExpectedValue = "Bar"
};
var condition2 = new Condition<object>() {
Id = "C2", AttributeName = "Bar", ExpectedValue = "Foo"
};
var state1Transitions = new List<ITransition<object>>();
var state2Transitions = new List<ITransition<object>>();
var state3Transitions = new List<ITransition<object>>();
var state = new State<object> {
Id = "S1", Transitions = state1Transitions
};
var state2 = new State<object> {
Id = "S2", Transitions = state2Transitions
};
var state3 = new State<object> {
Id = "S3", Transitions = state3Transitions
};
state1Transitions.Add(new Transition<object> {
Condition = condition1, Next = state2
});
state1Transitions.Add(new Transition<object> {
Condition = condition2, Next = state3
});
state2Transitions.Add(new Transition<object> {
Condition = condition2, Next = state3
});
var ruleSet = new RuleSet<object> {
States = new List<IState<object>> {state, state2, state3},
Conditions = new List<ICondition<object>>{condition1, condition2}
};
var stream1 = new MemoryStream();
var serializer = new DataContractSerializer(typeof(RuleSet<object>),
new List<Type> {
typeof(State<object>),
typeof(Transition<object>),
typeof(AttributeEqualTo<object>)
});
serializer.WriteObject(stream1, ruleSet);
stream1.Position = 0;
var xml = new StreamReader(stream1).ReadToEnd();
Console.WriteLine(xml);
}
生成XML时,每个级别的输出都是完整的,而不是仅包含对象的引用。基本上对于每个Transition<T>
,我们为每个状态和条件获得完整的对象定义,即使它们是在其他地方定义的。
有没有办法让这些只是参考?
答案 0 :(得分:2)
这完全取决于您如何创建DataContractSerializer
。
您需要使用以下签名来呼叫the overload of the constructor that allows you to indicate that you will preserve object references:
public DataContractSerializer(
Type type,
IEnumerable<Type> knownTypes,
int maxItemsInObjectGraph,
bool ignoreExtensionDataObject,
bool preserveObjectReferences,
IDataContractSurrogate dataContractSurrogate
)
您可以为大多数参数传递默认值。在您的情况下,对DataContractSerializer
构造函数的调用将如下所示:
var serializer = new DataContractSerializer(typeof(RuleSet<object>),
new [] {
typeof(State<object>),
typeof(Transition<object>),
typeof(AttributeEqualTo<object>)
},
Int32.MaxValue,
false,
/* This is the important flag to set. */
true,
null
);
注意,从preserveObjectReferences
参数文档中,它使用非标准XML(强调我的):
preserveObjectReferences
类型:System.Boolean
true 使用非标准XML构造来保留对象引用数据;否则,错误。
如果您需要.NET之外的其他代码来解释这一点,那么解开引用可能会很困难(但不应该是不可能的)。
但是,它会阻止对象图复制自身并减小XML的大小(考虑到引用的深度,可能会相当大)。