Kuepper
Kuepper

Reputation: 1004

OpenXML file download without temporary file

Is there a way of providing a download in an ASP.Net Page for a freshly generated OpenXML (docx) file without saving it in a temporary folder?

On MSDN I only found a tutorial for using a temp file but I thought about using the WordprocessingDocument.MainDocumentPart.GetStream() and directly writing the stream out.

Upvotes: 7

Views: 9152

Answers (2)

Samuel Neff
Samuel Neff

Reputation: 74909

When you create the document use a MemoryStream as the backing store. Then create and close the document normally and serve the contents of the memory stream to the client.

using(var stream = new MemoryStream())
{
    using(var doc = WordprocessingDocument.Create(stream, WordprocessingDocumentType.Document, true) 
    {
        ...
    }
    stream.Position = 0;
    stream.CopyTo(Response.OutputStream);
}

Do not just grab the MainDocumentPart because, as the name implies, this is just one part of the document package, not everything.

You'll also need to set response headers for content type and disposition.

Upvotes: 12

tomfanning
tomfanning

Reputation: 9670

Stream.CopyTo() in .NET 4.0 might help you out here.

WordprocessingDocument.MainDocumentPart.GetStream().CopyTo(Response.OutputStream);

You'll still need to set the headers for MIME type, content-disposition and so on.

Upvotes: 1

Related Questions