Josh Bush
Josh Bush

Reputation: 2718

Specifying filename for dynamic PDF in asp.net

How can I specify the filename when dumping data into the response stream?

Right now I'm doing the following:

byte[] data= GetFoo();
Response.Clear();
Response.Buffer = true;
Response.ContentType = "application/pdf";            
Response.BinaryWrite(data);
Response.End();

With the code above, I get "foo.aspx.pdf" as the filename to save. I seem to remember being able to add a header to the response to specify the filename to save.

Upvotes: 38

Views: 40421

Answers (5)

Sam
Sam

Reputation: 42377

For some reason, most of the answers out there don't seem to even attempt to encode the file name value. If the file contains spaces, semicolons or quotes, it mightn't come across correctly.

It looks like you can use the ContentDisposition class to generate a correct header value:

Response.AppendHeader("Content-Disposition", new ContentDisposition
{
    FileName = yourFilename
}.ToString());

You can check out the source code for ContentDisposition.ToString() to confirm that it's trying to encode it properly.

Warning: This seems to crash when the filename contains a dash (not a hyphen). I haven't bothered looking into this yet.

Upvotes: 2

EMR
EMR

Reputation: 416

FYI... if you use "inline" instead of "attachment" the file will open automatically in IE. Instead of prompting the user with a Open/Save dialogue.

Response.AppendHeader("content-disposition", string.Format("inline;FileName=\"{0}\"", fileName));

Upvotes: 25

Ryan Farley
Ryan Farley

Reputation: 11431

Add a content-disposition to the header:

Response.AddHeader("content-disposition", @"attachment;filename=""MyFile.pdf""");

Upvotes: 63

Kibbee
Kibbee

Reputation: 66122

 Response.AddHeader("Content-Disposition", "attachment;filename=" & FileName & ";")

Upvotes: 1

Sklivvz
Sklivvz

Reputation: 31133

Response.AppendHeader("Content-Disposition", "attachment; filename=foo.pdf");

Upvotes: 15

Related Questions