Я создал веб-сайт с использованием MVC3 и движка Razor.Я хочу взять полученный HTML-код и сохранить его в потоке или строке, чтобы я мог записать его в файл вместо записи в браузер.
Что мне нужно сделать, так это взять полученный файлHTML и преобразовать его в PDF и предоставить пользователю PDF в виде формы отчетности.У меня эта часть уже проработана, я просто не могу найти лучший способ получить HTML-код для какой-либо переменной.
РЕДАКТИРОВАТЬ - я закончил тем, что ушелв несколько ином направлении и хотел поделиться результатами.Я создал атрибут, который использует проект WKHTMLTOPDF для преобразования потока в PDF.Теперь все, что я делаю, это добавляю атрибут к действию и вместо рендеринга HTML-кода в браузере появляется диалоговое окно «Сохранить как».
public class PdfInterceptAttribute : ActionFilterAttribute
{
public override void OnResultExecuted(ResultExecutedContext filterContext)
{
var viewResult = filterContext.Result as ViewResult;
var workingDir = ConfigurationManager.AppSettings["PdfWorkingPath"];
var fileName = workingDir + @"\" + Guid.NewGuid() + ".pdf";
if (viewResult != null)
{
var view = viewResult.View;
var writer = new StringWriter();
var viewContext = new ViewContext(filterContext.Controller.ControllerContext, view,
viewResult.ViewData, viewResult.TempData, writer);
view.Render(viewContext, writer);
HtmlToPdf(new StringBuilder(writer.ToString()), fileName);
filterContext.HttpContext.Response.Clear();
var pdfByte = File.ReadAllBytes(fileName);
filterContext.HttpContext.Response.ContentType = "application/pdf";
filterContext.HttpContext.Response.AddHeader("Content-Disposition", "attachment; filename=Report.pdf");
filterContext.HttpContext.Response.BinaryWrite(pdfByte);
filterContext.HttpContext.Response.End();
}
base.OnResultExecuted(filterContext);
}
private static bool HtmlToPdf(StringBuilder file, string fileName)
{
// assemble destination PDF file name
var workingDir = ConfigurationManager.AppSettings["PdfWorkingPath"];
var exePath = ConfigurationManager.AppSettings["PdfExePath"]; //Path to the WKHTMLTOPDF executable.
var p = new Process
{
StartInfo = {FileName = @"""" + exePath + @""""}
};
var switches = "--print-media-type ";
switches += "--margin-top 4mm --margin-bottom 4mm --margin-right 0mm --margin-left 0mm ";
switches += "--page-size A4 ";
p.StartInfo.Arguments = switches + " " + "-" + " " + fileName;
p.StartInfo.UseShellExecute = false; // needs to be false in order to redirect output
p.StartInfo.RedirectStandardOutput = true;
//p.StartInfo.RedirectStandardError = true;
p.StartInfo.RedirectStandardInput = true; // redirect all 3, as it should be all 3 or none
p.StartInfo.WorkingDirectory = workingDir;
p.Start();
var sw = p.StandardInput;
sw.Write(file.ToString());
sw.Close();
// read the output here...
string output = p.StandardOutput.ReadToEnd();
// ...then wait n milliseconds for exit (as after exit, it can't read the output)
p.WaitForExit(60000);
// read the exit code, close process
int returnCode = p.ExitCode;
p.Close();
// if 0 or 2, it worked (not sure about other values, I want a better way to confirm this)
return (returnCode <= 2);
}
}