2

有一组 N 个 XSD 文件可以相互引用(用include/import/redefine tags)。任务是将这组 N 个 XSD 文件转换为尽可能少的 M 个 XSD 文件。转换意味着在可能的地方插入包含的文件,解析引用等。

此功能在某些 UI XML 编辑器中成功运行。

是否有任何免费或商业库(本机或 .NET)可以让我执行 XML Schema 展平?或者也许有一些关于展平算法的参考资料?

4

1 回答 1

2

我认为你不需要图书馆。使用标准的 .NET 架构类,这是将具有一堆包含的 XSD 转换为单个 XSD 的代码:

static private void ResolveExternal(
  XmlSchema rootSchema, 
  XmlSchema curSchema,
  List<string> processed
)
{
  // Loop on all the includes
  foreach (XmlSchemaExternal external in curSchema.Includes) {
    // Avoid processing twice the same include file
    if (!processed.Contains(external.SchemaLocation)) {
      processed.Add(external.SchemaLocation);
      XmlSchema cur = external.Schema;
      // Recursive calls to handle includes inside the include
      ResolveExternal(rootSchema, cur, processed);
      // Move the items from the included schema to the root one
      foreach (XmlSchemaObject item in cur.Items) {
        rootSchema.Items.Add(item);
      }
    }
  }
  curSchema.Includes.Clear();
} // ResolveExternal

static public void ResolveExternal(XmlSchema schema)
{
  List<string> processed = new List<string>();
  ResolveExternal(schema, schema, processed);
} // ResolveExternal

您应该能够以类似的方式处理导入和重新定义。

于 2012-12-04T23:07:14.220 回答