1

我有一个 docx Word 文档,其中包含绑定到 CustomXMLPart 中数据的内容控件。

然后使用 INCLUDETEXT 将此文档(或其中的书签)包含在另一个 Word 文档中。

当第一个文档包含在第二个文档中时,有什么方法可以从原始文档中获取 CustomXMLPart(我已经在 Word 中运行了一个 VSTO Word 插件来查看文档)?

我想要做的是将它与第二个文档中已经存在的 CustomXMLPart 合并,以便内容控件仍然绑定到 XMLPart 中的数据。

或者,是否有另一种方法可以在不使用 INCLUDETEXT 字段的情况下执行此操作?

4

1 回答 1

1

我认为使用 VSTO 和 IncludeText 字段可能无法做到这一点,并使用 altChunks 作为替代方案进行了调查。

在打开文件之前,我已经使用 Open XML SDK 2 对文件进行了一些处理,因此在此处将文档合并在一起所需的额外工作。

尽管使用 altChunk 方法将整个第二个文档嵌入到第一个文档中,包括它自己的 CustomXmlParts,但是当打开文档并将第二个文档与第一个合并时,Word 会丢弃 CustomXmlParts。

我最终得到了类似于以下的代码。它用 altChunk 数据替换定义的内容控件,并将特定的 CustomXmlPart 合并在一起。

    private static void CreateAltChunksInWordDocument(WordprocessingDocument doc, string externalDocumentPath)
    {
        foreach (var control in doc.ContentControls().ToList()) //Have to do .ToList() on this as when we update the Doc in the loop it stops enumerating otherwise
        {
            SdtProperties props = control.Elements<SdtProperties>().FirstOrDefault();
            if (props == null)
                continue;

            SdtAlias alias = props.Elements<SdtAlias>().FirstOrDefault();
            if (alias == null || !alias.Val.HasValue || alias.Val.Value != "External Template")
                continue;

            using (WordprocessingDocument externaldoc = WordprocessingDocument.Open(externalDocumentPath, false))
            {
                //Replace the Content Control with an AltChunk section, and stream in the external file
                string altChunkId = "AltChunkId" + Guid.NewGuid().ToString().Replace("{", "").Replace("}", "").Replace("-", "");

                AlternativeFormatImportPart chunk = doc.MainDocumentPart.AddAlternativeFormatImportPart(AlternativeFormatImportPartType.WordprocessingML, altChunkId);
                chunk.FeedData(File.OpenRead(externalDocumentPath));

                AltChunk altChunk = new AltChunk();
                altChunk.Id = altChunkId;

                OpenXmlElement parent = control.Parent;
                parent.InsertAfter(altChunk, control);
                control.Remove();

                XDocument xDocMain;
                CustomXmlPart partMain = MyCommon.GetMyXmlPart(doc.MainDocumentPart, out xDocMain);

                XDocument xDocExternal;
                CustomXmlPart partExternal = MyCommon.GetMyXmlPart(externaldoc.MainDocumentPart, out xDocExternal);

                if (xDocMain != null && partMain != null && xDocExternal != null && partExternal != null)
                {
                    MyCommon.MergeXmlPartFields(xDocMain, xDocExternal);

                    //Save the updated part
                    using (Stream outputStream = partMain.GetStream())
                    {
                        using (StreamWriter ts = new StreamWriter(outputStream))
                        {
                            ts.Write(xDocMain.ToString());
                        }
                    }
                }
            }
        }
    }
于 2012-12-04T14:44:14.753 回答