Сохранить измененный WordprocessingDocument в новый файл - PullRequest
36 голосов
/ 11 января 2012

Я пытаюсь открыть документ 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:\data\hello.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);
            }
        }
      }
    }
}

Я начинающий в этом, так что простите за основной вопрос!

Ответы [ 5 ]

34 голосов
/ 11 января 2012

Если вы используете 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()); 
}
8 голосов
/ 31 марта 2016

В 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 одновременно, поэтому использование памяти будет довольно высоким.

4 голосов
/ 06 августа 2013

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

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();
    }

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

1 голос
/ 17 июля 2018

Этот подход позволяет вам буферизовать файл "шаблона", не упаковывая все это в 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();
    }
}
0 голосов
/ 03 апреля 2013

Для меня это отлично работало:

// 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);
        }
    }
}
...