我有一个局部视图,我正在尝试使用ITextSharp将html转换为pdf。如何将html转换为字符串,以便可以使用ItextSharps HtmlParser?

我已经尝试过这种运气不好...有什么想法吗?:

 var contents = System.IO.File.ReadAllText(Url.Action("myPartial", "myController", new { id = 1 }, "http"));

最佳答案

我创建了一个特殊的ViewResult类,您可以将其作为Action的结果返回。

您可以在bitbucket上看到代码(请查看PdfFromHtmlResult类)。

因此,它的基本作用是:


通过Razor引擎(或任何其他已注册的引擎)将视图呈现给HTML
将html传递给iTextSharp
将pdf作为ViewResult返回(具有正确的mimetype等)。


我的ViewResult类如下所示:

 public class PdfFromHtmlResult : ViewResult {

    public override void ExecuteResult(ControllerContext context) {
        if (context == null) {
            throw new ArgumentNullException("context");
        }
        if (string.IsNullOrEmpty(this.ViewName)) {
            this.ViewName = context.RouteData.GetRequiredString("action");
        }

        if (this.View == null) {
            this.View = this.FindView(context).View;
        }

        // First get the html from the Html view
        using (var writer = new StringWriter()) {
            var vwContext = new ViewContext(context, this.View, this.ViewData, this.TempData, writer);
            this.View.Render(vwContext, writer);

            // Convert to pdf

            var response = context.HttpContext.Response;

            using (var pdfStream = new MemoryStream()) {
                var pdfDoc = new Document();
                var pdfWriter = PdfWriter.GetInstance(pdfDoc, pdfStream);

                pdfDoc.Open();

                using (var htmlRdr = new StringReader(writer.ToString())) {

                    var parsed = iTextSharp.text.html.simpleparser.HTMLWorker.ParseToList(htmlRdr, null);

                    foreach (var parsedElement in parsed) {
                        pdfDoc.Add(parsedElement);
                    }
                }

                pdfDoc.Close();

                response.ContentType = "application/pdf";
                response.AddHeader("Content-Disposition", this.ViewName + ".pdf");
                byte[] pdfBytes = pdfStream.ToArray();
                response.OutputStream.Write(pdfBytes, 0, pdfBytes.Length);
            }
        }
     }
 }


使用正确的扩展方法(请参见BitBucket)等,控制器中的代码如下所示:

 public ActionResult MyPdf(int id) {
       var myModel = findDataWithID(id);

       // this assumes there is a MyPdf.cshtml/MyPdf.aspx as the view
       return this.PdfFromHtml(myModel);
 }


注意:您的方法无效,因为您将在服务器上检索HTML,从而丢失了存储在客户端上的所有cookie(=会话信息)。

10-01 06:14