我想问问是否有一种方法可以在C#(.NET Framework 4.5)中获取与给定的“复杂类型名称”相关联的标记名称(来自XSD(XML架构定义)中的复杂对象)。
我想要实现的结果是:如果我搜索WhateverTypeName1
,则应返回值"childoftypeone"
。
假设我们有以下XSD摘录:
<xs:complexType name="ParentType">
<xs:choice>
<xs:element name="childoftypeone" type="WhateverTypeName1"/>
<xs:element name="childoftypetwo" type="OtherTypeName"/>
</xs:choice>
</xs:complexType>
<!-- after some declarations -->
<xs:complexType name="WhateverTypeName1">
<xs:sequence>
<!-- other elements from sequence -->
</xs:sequence>
</xs:complexType>
通过XmlSchema
类型,我可以通过以下方式搜索XmlSchemaComplexObject
来获得WhateverTypeName1
:
var schema = new XmlSchema(); // load the XSD here.
var arr = new string[] { "WhateverTypeName1" };
var type = schema.Items
.OfType<XmlSchemaObject>()
// we can search matching the type here, put this way just to be concise
.Where(w => w.GetType().Name.ToLower().Contains("complex"))
.Select(s => (XmlSchemaComplexType)s)
.FirstOrDefault(w => arr.Contains(w.Name));
问题是,从这个XmlSchemaComplexType
对象开始,我没有将其与"childoftypeone"
(ParentType
)上的<xs:element name="childoftypeone" type="WhateverTypeName1"/>
标签声明进行匹配。
如果我搜索其父对象(ParentType
)并遍历其Particle
属性,就只能进行这种配对。但是,我想不可能从其自己的ParentType
XmlSchemaComplexType
)
我该怎么做?
答案 0 :(得分:0)
最后,我开发了一种递归搜索方法来获取所需的内容,因为我没有设法在System.Xml
命名空间中找到任何可以给我带来成就的东西
这是一个非常基本/未优化的代码,我没有对其进行广泛的测试,但是它可以工作。它返回一个Dictionary<string, HashSet<string>>
,其中的键是XSD文件中类型的名称(也就是XSD.exe
生成的.cs文件中的类名)以及使用这些类型的标记。
在这里:
public Dictionary<string, HashSet<string>> GetTagsByType(
ICollection<XmlSchemaObject> schemaObjects)
{
var result = new Dictionary<string, HashSet<string>>();
var xmlElements = schemaObjects
.Where(w => w.GetType() == typeof(XmlSchemaElement))
.ToArray();
var types = schemaObjects
.Where(w => w.GetType() == typeof(XmlSchemaComplexType))
.ToArray();
foreach (var item in xmlElements)
{
var el = (XmlSchemaElement)item;
if (string.IsNullOrEmpty(el.Name) ||
el.SchemaTypeName == null ||
string.IsNullOrEmpty(el.SchemaTypeName.Name))
{
continue;
}
if (!result.ContainsKey(el.SchemaTypeName.Name))
{
result.Add(el.SchemaTypeName.Name, new HashSet<string> { el.Name });
}
else
{
result[el.SchemaTypeName.Name].Add(el.Name);
}
}
foreach (var type in types)
{
var t = (XmlSchemaComplexType)type;
if (t.Particle == null)
{
continue;
}
var isSubClassOfGroupBase = t.Particle.GetType()
.IsSubclassOf(typeof(XmlSchemaGroupBase));
if (!isSubClassOfGroupBase)
{
continue;
}
var items = ((XmlSchemaGroupBase)t.Particle)
.Items
.OfType<XmlSchemaObject>()
.ToArray();
var res = GetTagsByType(items);
foreach (var item in res.Keys)
{
if (result.ContainsKey(item))
{
foreach (var r in res[item])
{
result[item].Add(r);
}
}
else
{
result.Add(item, res[item]);
}
}
}
return result;
}