如何在ASP.Net MVC中使用PdfSharp显示PDF?

时间:2013-02-27 20:36:29

标签: c#-4.0 asp.net-mvc-4 pdfsharp

我们正在制作一个ASP.Net MVC应用程序,该应用程序需要能够生成PDF并将其显示在屏幕上或将其保存在易于用户访问的位置。我们正在使用PdfSharp生成文档。一旦完成,我们如何让用户保存文档或在阅读器中打开文档?我特别困惑,因为PDF是在服务器端生成的,但我们希望它显示在客户端。


以下是创建我们迄今为止编写的报告的MVC控制器:

public class ReportController : ApiController
{
    private static readonly string filename = "report.pdf";

    [HttpGet]
    public void GenerateReport()
    {
        ReportPdfInput input = new ReportPdfInput()
        {
            //Empty for now
        };

        var manager = new ReportPdfManagerFactory().GetReportPdfManager();
        var documentRenderer = manager.GenerateReport(input);
        documentRenderer.PdfDocument.Save(filename); //Returns a PdfDocumentRenderer
        Process.Start(filename);
    }
}

运行时,我会在UnauthorizedAccessExceptiondocumentRenderer.PdfDocument.Save(filename);Access to the path 'C:\Program Files (x86)\Common Files\Microsoft Shared\DevServer\10.0\report.pdf' is denied.我还不确定执行第Process.Start(filename);行时会发生什么。< / p>

这是manager.GenerateReport(input)中的代码:

public class ReportPdfManager : IReportPdfManager
{
    public PdfDocumentRenderer GenerateReport(ReportPdfInput input)
    {
        var document = CreateDocument(input);
        var renderer = new PdfDocumentRenderer(true, PdfSharp.Pdf.PdfFontEmbedding.Always);
        renderer.Document = document;
        renderer.RenderDocument();

        return renderer;
    }

    private Document CreateDocument(ReportPdfInput input)
    {
        //Put content into the document
    }
}

2 个答案:

答案 0 :(得分:12)

使用Yarx的建议和PDFsharp团队的教程,这是我们最终得到的代码:

控制器:

[HttpGet]
public ActionResult GenerateReport(ReportPdfInput input)
{
    using (MemoryStream stream = new MemoryStream())
    {
        var manager = new ReportPdfManagerFactory().GetReportPdfManager();
        var document = manager.GenerateReport(input);
        document.Save(stream, false);
        return File(stream.ToArray(), "application/pdf");
    }
}

ReportPdfManager:

public PdfDocument GenerateReport(ReportPdfInput input)
{
    var document = CreateDocument(input);
    var renderer = new PdfDocumentRenderer(true,
        PdfSharp.Pdf.PdfFontEmbedding.Always);
    renderer.Document = document;
    renderer.RenderDocument();

    return renderer.PdfDocument;
}

private Document CreateDocument(ReportPdfInput input)
{
    //Creates a Document and puts content into it
}

答案 1 :(得分:7)

我不熟悉PDF sharp,但MVC主要是通过内置功能完成的。您需要将pdf文档表示为字节数组。然后你只需使用MVC的File方法将其返回给浏览器并让它处理下载。他们班上有没有办法做到这一点?

public class PdfDocumentController : Controller
{
    public ActionResult GenerateReport(ReportPdfInput input)
    {
        //Get document as byte[]
        byte[] documentData;

        return File(documentData, "application/pdf");
    }

}