Как создать и отобразить файл PDF для веб-приложения. net core MVC? - PullRequest
0 голосов
/ 28 февраля 2020

У меня есть приложение asp, которое может создавать и отображать файлы PDF. Мне нужно скопировать ту же функциональность для основного приложения. net. Я не слишком опытен в этом. net core MVC, поэтому я не знаю, как это можно сделать.

DisplayPDF.aspx.cs

public partial class DisplayPDF : System.Web.UI.Page
{
    protected void Page_Load(object sender, EventArgs e)
    {
        // get application id from query string
        string strFile = Request.QueryString["File"];

        if (!string.IsNullOrEmpty(strFile))
        {
            string fileToOpen = string.Empty;

            // get file path to requested application id's pdf file
            string filePath = System.IO.Path.GetDirectoryName(Request.PhysicalApplicationPath) +
                "\\Sessions\\" + Session.SessionID + "\\" + strFile;

            fileToOpen = "sessions/" + Session.SessionID + "/" + strFile;
            if (!System.IO.File.Exists(filePath))
            {
                LabelError.Visible = true;
                LabelError.Text = "The pdf was not generated.  Try the action again.  If the problem persists contact website support.";
            }

            Response.Redirect(fileToOpen);
        }
        else
        {
            // need to have query string parameter
            throw new ApplicationException("Query string parameter is missing");
        }

    }
}

DisplayPDF.aspx

<%@ Page Language="C#" AutoEventWireup="true" CodeBehind="DisplayPDF.aspx.cs" Inherits="Test.WS.App.DisplayPDF" %>

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head id="Head1" runat="server">
    <title>Display PDF</title>
    <meta name="robots" content="noindex,nofollow" />
</head>
<body>
    <form id="form1" runat="server">
    <div>
        <asp:Label ID="LabelError" runat="server" Visible="false"></asp:Label>
    </div>
    </form>
</body>
</html>

Перенаправление на страницу DisplayPDF

if(System.IO.File.Exists(filePath)){
    ScriptManager.RegisterClientScriptBlock(
        Page,
        Page.GetType(),
        "ShowPDF",
        "window.open('DisplayPDF.aspx?file=" + System.IO.GetFileName(filePath) + "?dt=" + DateTime.Now.Ticks.ToString() + "');",
        true);
}
else
{
    MessageBox.Show("Report was not generated.");
}

1 Ответ

2 голосов
/ 28 февраля 2020

На основе этого кода веб-формы вы можете отобразить pdf в ядре mvc следующим образом:

Обратите внимание, что мои pdf-файлы находятся в папке * wwwroot основного проекта.

DisplayPDFController.cs:

 public class DisplayPDFController : Controller
{
    private IWebHostEnvironment _hostingEnvironment;

    public DisplayPDFController(IWebHostEnvironment environment)
    {
        _hostingEnvironment = environment;
    }
    public IActionResult Index()
    {

        return View();
    }
    [HttpPost]
    public string Index(string fileName)
    {
        string filePath = Path.Combine(_hostingEnvironment.WebRootPath, @"Files\" + fileName);
        if (System.IO.File.Exists(filePath))
        {
            return filePath;
        }
        else
        {
            return "Report was not generated.";
        }
    }
    public FileResult ShowPDF(string path)
    {
        var fileStream = new FileStream(path, FileMode.OpenOrCreate, FileAccess.Read);
        return File(fileStream, "application/pdf");
    }
}

Index.cs html view:

@{
    Layout = null;
}

<!DOCTYPE html>

<html>
<head>
    <meta name="viewport" content="width=device-width" />
    <title>Index</title>
    <script src="~/lib/jquery/dist/jquery.js"></script>
    <script>
        $(function () {
            $("#show").click(function () {
                event.preventDefault();
                $.ajax({
                    type: 'POST',
                    data: { fileName: $("#Text1").val() },
                    url: "/DisplayPDF/Index",
                    success: function (response) {
                        if (response == 'Report was not generated.') {
                            alert(response);
                        } else {
                            window.open("/DisplayPDF/ShowPDF?path=" + response, "_blank");
                        }
                    },
                });
            })
        })
    </script>
</head>
<body>
    <form>
        <input id="Text1" type="text" placeholder="FileName" />
        <input id="show" type="submit" value="show pdf" />
    </form>

</body>
</html>

enter image description here

...