Сохранить измененный WordprocessingDocument в новый файл

Я пытаюсь открыть документ Word, измените текст, а затем Сохранить изменения в новый документ. Я могу сделать первый бит, используя приведенный ниже код, но я не могу понять, как сохранить изменения в новый документ (указав путь и имя файла).

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Diagnostics;
using DocumentFormat.OpenXml.Packaging;
using System.IO;

namespace WordTest
{
class Program
{
    static void Main(string[] args)
    {
        string template = @"c:datahello.docx";
        string documentText;

        using (WordprocessingDocument wordDoc = WordprocessingDocument.Open(template, true))
        {
            using (StreamReader reader = new StreamReader(wordDoc.MainDocumentPart.GetStream()))
            {
                documentText = reader.ReadToEnd();
            }


            documentText = documentText.Replace("##Name##", "Paul");
            documentText = documentText.Replace("##Make##", "Samsung");

            using (StreamWriter writer = new StreamWriter(wordDoc.MainDocumentPart.GetStream(FileMode.Create)))
            {
                writer.Write(documentText);
            }
        }
      }
    }
}

Я полный новичок в этом, так что простите основной вопрос!

6 ответов


Если вы используете MemoryStream вы можете сохранить изменения в новый файл, как это:

byte[] byteArray = File.ReadAllBytes("c:\data\hello.docx");
using (MemoryStream stream = new MemoryStream())
{
    stream.Write(byteArray, 0, (int)byteArray.Length);
    using (WordprocessingDocument wordDoc = WordprocessingDocument.Open(stream, true))
    {
       // Do work here
    }
    // Save the file with the new name
    File.WriteAllBytes("C:\data\newFileName.docx", stream.ToArray()); 
}

В Open XML SDK 2.5:

    File.Copy(originalFilePath, modifiedFilePath);

    using (var wordprocessingDocument = WordprocessingDocument.Open(modifiedFilePath, isEditable: true))
    {
        // Do changes here...
    }

wordprocessingDocument.AutoSave по умолчанию true, поэтому Close и Dispose сохранят изменения. wordprocessingDocument.Close не требуется явно, потому что блок using вызовет его.

этот подход не требует загрузки всего содержимого файла в память, как в принятом ответе. Это не проблема для небольших файлов, но в моем случае я должен обрабатывать больше файлов docx со встроенным содержимым xlsx и pdf одновременно, поэтому использование памяти будет довольно высокий.


просто скопируйте исходный файл в пункт назначения и внесите изменения оттуда.

File.copy(source,destination);
using (WordprocessingDocument wordDoc = WordprocessingDocument.Open(destination, true))
    {
       \Make changes to the document and save it.
       WordDoc.MainDocumentPart.Document.Save();
       WordDoc.Close();
    }

надеюсь, что это работает.


этот подход позволяет буферизировать файл "шаблона" без пакетной обработки всего этого в byte[], возможно, позволяя ему быть менее ресурсоемким.

var templatePath = @"c:\data\hello.docx";
var documentPath = @"c:\data\newFilename.docx";

using (var template = File.OpenRead(templatePath))
using (var documentStream = File.Open(documentPath, FileMode.OpenOrCreate))
{
    template.CopyTo(documentStream);

    using (var document = WordprocessingDocument.Open(documentStream, true))
    {
        //do your work here

        document.MainDocumentPart.Document.Save();
    }
}

основным ресурсом для Open XML является openxmldeveloper.org - ... Он имеет несколько презентаций и примеры проектов для манипулирования документами:

http://openxmldeveloper.org/resources/workshop/m/presentations/default.aspx

и видим следующий вопрос:

чтение таблицы Word 2007 с помощью C#


для меня этой работало нормально:

// To search and replace content in a document part.
public static void SearchAndReplace(string document)
{
    using (WordprocessingDocument wordDoc = WordprocessingDocument.Open(document, true))
    {
        string docText = null;
        using (StreamReader sr = new StreamReader(wordDoc.MainDocumentPart.GetStream()))
        {
            docText = sr.ReadToEnd();
        }

        Regex regexText = new Regex("Hello world!");
        docText = regexText.Replace(docText, "Hi Everyone!");

        using (StreamWriter sw = new StreamWriter(wordDoc.MainDocumentPart.GetStream(FileMode.Create)))
        {
            sw.Write(docText);
        }
    }
}