web-dev-qa-db-ja.com

MVCコントローラーからダウンロードするファイルを表示するにはどうすればよいですか?

WebFormsでは、通常、次のようなコードを使用して、ブラウザにPDFなどの任意のファイルタイプとファイル名を含む「ファイルのダウンロード」ポップアップを表示させます。

Response.Clear()
Response.ClearHeaders()
''# Send the file to the output stream
Response.Buffer = True

Response.AddHeader("Content-Length", pdfData.Length.ToString())
Response.AddHeader("Content-Disposition", "attachment; filename= " & Server.HtmlEncode(filename))

''# Set the output stream to the correct content type (PDF).
Response.ContentType = "application/pdf"

''# Output the file
Response.BinaryWrite(pdfData)

''# Flushing the Response to display the serialized data
''# to the client browser.
Response.Flush()
Response.End()

ASP.NET MVCで同じタスクを達成するにはどうすればよいですか?

107
mgnoonan

ファイルが存在するか、その場で作成するかに応じて、アクションから FileResult または FileStreamResult を返します。

public ActionResult GetPdf(string filename)
{
    return File(filename, "application/pdf", Server.UrlEncode(filename));
}
175
tvanfosson

ブラウザのPDFプラグインによって処理される代わりに、PDFファイルのダウンロードを強制するには:

public ActionResult DownloadPDF()
{
    return File("~/Content/MyFile.pdf", "application/pdf", "MyRenamedFile.pdf");
}

ブラウザにデフォルトの動作(プラグインまたはダウンロード)で処理させるには、2つのパラメーターを送信します。

public ActionResult DownloadPDF()
{
    return File("~/Content/MyFile.pdf", "application/pdf");
}

3番目のパラメーターを使用して、ブラウザーダイアログでファイルの名前を指定する必要があります。

更新:3番目のパラメーター(ファイル名をダウンロード)を渡すとき、Charlinoは正しいContent-Disposition: attachment;がHttp応答ヘッダーに追加されます。私の解決策は、application\force-downloadはmime-typeですが、ダウンロードのファイル名に問題が発生するため、適切なファイル名を送信するには3番目のパラメーターが必要であるため、ダウンロードを強制する必要がなくなります。

62
guzart

Razorでもコントローラーでも同じことができます。

@{
    //do this on the top most of your View, immediately after `using` statement
    Response.ContentType = "application/pdf";
    Response.AddHeader("Content-Disposition", "attachment; filename=receipt.pdf");
}

または、コントローラーで..

public ActionResult Receipt() {
    Response.ContentType = "application/pdf";
    Response.AddHeader("Content-Disposition", "attachment; filename=receipt.pdf");

    return View();
}

私はこれをChromeとIE9で試しました。どちらもPDFファイルをダウンロードしています。

RazorPDF を使用してPDFを生成します。これについてのブログは次のとおりです。 http://nyveldt.com/blog/post/Introducing-RazorPDF

7
Rosdi Kasim

コントローラのFileメソッドを確認する必要があります。これがまさにその目的です。 ActionResultではなくFilePathResultを返します。

4
Martin Peck

ムグノナン、

FileStreamを返すためにこれを行うことができます:

/// <summary>
/// Creates a new Excel spreadsheet based on a template using the NPOI library.
/// The template is changed in memory and a copy of it is sent to
/// the user computer through a file stream.
/// </summary>
/// <returns>Excel report</returns>
[AcceptVerbs(HttpVerbs.Post)]
public ActionResult NPOICreate()
{
    try
    {
        // Opening the Excel template...
        FileStream fs =
            new FileStream(Server.MapPath(@"\Content\NPOITemplate.xls"), FileMode.Open, FileAccess.Read);

        // Getting the complete workbook...
        HSSFWorkbook templateWorkbook = new HSSFWorkbook(fs, true);

        // Getting the worksheet by its name...
        HSSFSheet sheet = templateWorkbook.GetSheet("Sheet1");

        // Getting the row... 0 is the first row.
        HSSFRow dataRow = sheet.GetRow(4);

        // Setting the value 77 at row 5 column 1
        dataRow.GetCell(0).SetCellValue(77);

        // Forcing formula recalculation...
        sheet.ForceFormulaRecalculation = true;

        MemoryStream ms = new MemoryStream();

        // Writing the workbook content to the FileStream...
        templateWorkbook.Write(ms);

        TempData["Message"] = "Excel report created successfully!";

        // Sending the server processed data back to the user computer...
        return File(ms.ToArray(), "application/vnd.ms-Excel", "NPOINewFile.xls");
    }
    catch(Exception ex)
    {
        TempData["Message"] = "Oops! Something went wrong.";

        return RedirectToAction("NPOI");
    }
}
3

ファイルのダウンロードには標準のアクション結果FileContentResultまたはFileStreamResultを使用できますが、再利用性を確保するために、カスタムアクション結果を作成することが最善の解決策となる場合があります。

例として、ダウンロードのためにその場でExcelファイルにデータをエクスポートするためのカスタムアクション結果を作成してみましょう。

ExcelResultクラスは、抽象ActionResultクラスを継承し、ExecuteResultメソッドをオーバーライドします。

IEnumerableオブジェクトからDataTableを作成するFastMemberパッケージと、DataTableからExcelファイルを作成するClosedXMLパッケージを使用しています。

public class ExcelResult<T> : ActionResult
{
    private DataTable dataTable;
    private string fileName;

    public ExcelResult(IEnumerable<T> data, string filename, string[] columns)
    {
        this.dataTable = new DataTable();
        using (var reader = ObjectReader.Create(data, columns))
        {
            dataTable.Load(reader);
        }
        this.fileName = filename;
    }

    public override void ExecuteResult(ControllerContext context)
    {
        if (context != null)
        {
            var response = context.HttpContext.Response;
            response.Clear();
            response.ContentType = "application/vnd.openxmlformats-officedocument.spreadsheetml.sheet";
            response.AddHeader("content-disposition", string.Format(@"attachment;filename=""{0}""", fileName));
            using (XLWorkbook wb = new XLWorkbook())
            {
                wb.Worksheets.Add(dataTable, "Sheet1");
                using (MemoryStream stream = new MemoryStream())
                {
                    wb.SaveAs(stream);
                    response.BinaryWrite(stream.ToArray());
                }
            }
        }
    }
}

コントローラーでは、次のようにカスタムExcelResultアクションの結果を使用します

[HttpGet]
public async Task<ExcelResult<MyViewModel>> ExportToExcel()
{
    var model = new Models.MyDataModel();
    var items = await model.GetItems();
    string[] columns = new string[] { "Column1", "Column2", "Column3" };
    string filename = "mydata.xlsx";
    return new ExcelResult<MyViewModel>(items, filename, columns);
}

HttpGetを使用してファイルをダウンロードしているため、モデルと空のレイアウトのない空のビューを作成します。

オンザフライで作成されたファイルをダウンロードするためのカスタムアクション結果に関するブログ投稿:

https://acanozturk.blogspot.com/2019/03/custom-actionresult-for-files-in-aspnet.html

0
Ahmetcan Ozturk