WkHtmlToPDF - 使用标准输入和页眉/页脚

时间:2012-10-26 01:55:18

标签: c# razor stdin wkhtmltopdf

我正在尝试使用wkhtmltopdf.exe将HTML文档呈现为PDF,我从C#Web应用程序调用它。

HTML文档需要在每个页面上都有重复的页脚和标题,这可以通过将--header-html <a path>指定为参数来使用wkhtmltopdf。

但是,页脚是从Razor视图动态呈现的,我宁愿不必将它存储在磁盘上的临时文件中并使用该路径,但我想使用已经在内存中的呈现HTML。通过写入StandardInput流,文件本身就可以了,如下所示:

var wkhtml = ConfigurationManager.AppSettings["WkHtmlToPdfPath"];
var p = new Process();

p.StartInfo.CreateNoWindow = true;
p.StartInfo.RedirectStandardOutput = true;
p.StartInfo.RedirectStandardError = true;
p.StartInfo.RedirectStandardInput = true;
p.StartInfo.UseShellExecute = false;
p.StartInfo.FileName = wkhtml;

p.StartInfo.Arguments = "-q -n --disable-smart-shrinking - -";
p.Start();

var stdin = p.StandardInput;
stdin.AutoFlush = true;
stdin.Write(template);
stdin.Dispose();

是否可以对页眉和页脚HTML执行相同的操作,即在内联中传递它而不必使用临时文件?

我试过了:

stdin.Write(string.Format("--footer-html {0} ", footer));

但是,当然,它只是将其视为文档的一部分,而不是页脚。

我想动态渲染页脚和页眉的主要原因(主要)是由另一个问题引起的。虽然拥有动态页眉和页脚会很好,但主要是为了解决我必须用绝对路径链接到图像的问题(即:C:\ templates \ images \ logo.png)因为相对路径(即: images / logo.png)在使用stdin时只能传入HTML的字符串blob,所以我需要在运行时通过Razor插入绝对路径。

对于这个问题,我尝试设置进程的工作目录以匹配相对路径,但无济于事:

p.StartInfo.WorkingDirectory = @"C:\templates";

如果我能解决这个问题,那也可以解决90%的问题。

1 个答案:

答案 0 :(得分:3)

请注意,如果你解决了这个JulianR,我也会假设你在MVC(?) 如果没有,你可以忽略下面的一些初始代码,但我有类似的情况,我需要将输出直接流式传输到wkhtmltopdf,因为网站的安全和登录部分。

首先在控制器中,您可以使用任何适用的母版页(它本身可能使用页眉和页脚)拉入显示所需的视图:

var view = ViewEngines.Engines.FindView(ControllerContext, myViewName, myMasterPageLayout);

然后使用任何必要的ViewData,Tempdata等获取此视图的当前值,并将其存储在字符串中(下面的内容):

string content;
ViewData.Model = model;
using (var writer = new System.IO.StringWriter())
{
    var context = new ViewContext(ControllerContext, view.View, ViewData, TempData, writer);
    view.View.Render(context, writer);
    writer.Flush();
    content = writer.ToString();
    writer.Close();
}

在这个阶段你可以根据需要修改字符串中的输出html - 例如将任何本地路径更改为完整路径

输出HTML后,您只需传入wkhtmltopdf:

var p = new Process();
p.StartInfo.CreateNoWindow = true;
p.StartInfo.RedirectStandardOutput = true;
p.StartInfo.RedirectStandardError = true;
p.StartInfo.RedirectStandardInput = true;
p.StartInfo.UseShellExecute = false;
//Other parameters as required
byte[] file;
try
{
    p.Start();
    byte[] buffer = new byte[32768];

    using (System.IO.StreamWriter stdin = p.StandardInput)
    {
        stdin.AutoFlush = true;
        stdin.Write(content);
    }


    using (MemoryStream ms = new MemoryStream())
    {
        ms.Position = 0;
        p.StandardOutput.BaseStream.CopyTo(ms);
        file = ms.ToArray();
    }

    p.StandardOutput.Close();
    // wait or exit
    p.WaitForExit(60000);

    // read the exit code, close process
    int returnCode = p.ExitCode;

}

然后你有一个包含整个页面的PDF内容的字节数组。