Изображение не отображается должным образом

Я использую WkhtmlToImage для рендеринга веб-страницы в изображение. Когда я запускаю его из командной строки, все отлично работает. Однако, когда я запускаю его из процесса, запущенного из моего веб-приложения, это не так.

Я убедился, что аргументы, которые я использую, совпадают. Единственное отличие, которое я вижу, состоит в том, что когда я запускаю его из командной строки, я сохраняю файл на диск, а когда я делаю это из веб-приложения, я использую stdOut и возвращаю байтовый массив. Кто-нибудь знает, почему это происходит? я использую 11.0-rc2

//taken from the Rotativa library - https://github.com/webgio/Rotativa/

private static byte[] Convert(string wkhtmltopdfPath, string switches, string html)
{
// switches:
//     "-q"  - silent output, only errors - no progress messages
//     " -"  - switch output to stdout
//     "- -" - switch input to stdin and output to stdout
switches = "-q " + switches + " -";

// generate PDF from given HTML string, not from URL
if (!string.IsNullOrEmpty(html))
{
    switches += " -";
    html = SpecialCharsEncode(html);
}

var proc = new Process
               {
                   StartInfo = new ProcessStartInfo
                                   {
                                       FileName = Path.Combine(wkhtmltopdfPath, "wkhtmltoimage.exe"),
                                       Arguments = switches,
                                       UseShellExecute = false,
                                       RedirectStandardOutput = true,
                                       RedirectStandardError = true,
                                       RedirectStandardInput = true,
                                       WorkingDirectory = wkhtmltopdfPath,
                                       CreateNoWindow = true
                                   }
               };
proc.Start();

// generate PDF from given HTML string, not from URL
if (!string.IsNullOrEmpty(html))
{
    using (var sIn = proc.StandardInput)
    {
        sIn.WriteLine(html);
    }
}

var ms = new MemoryStream();
using (var sOut = proc.StandardOutput.BaseStream)
{
    byte[] buffer = new byte[4096];
    int read;

    while ((read = sOut.Read(buffer, 0, buffer.Length)) > 0)
    {
        ms.Write(buffer, 0, read);
    }
}

string error = proc.StandardError.ReadToEnd();

if (ms.Length == 0)
{
    throw new Exception(error);
}

proc.WaitForExit();

return ms.ToArray();
}

Обновление Я обнаружил, что это известная проблема с библиотекой при использовании stdOut в Windows. Если у кого-то есть идеи, я весь в ушах.

http://code.google.com/p/wkhtmltopdf/issues/detail?id=335&q=wkhtmltoimage%20stdout http://code.google.com/p/wkhtmltopdf/issues/detail?id=998&q=wkhtmltoimage%20stdout

1 ответ

Решение

Вам лучше использовать файлы ввода / вывода для wkhtmltoimage.exe обрабатывать вместо потоков ввода / вывода:

public static byte[] Convert(string wkhtmltopdfPath, string switches, string html)
{
    using (var tempFiles = new TempFileCollection())
    {
        var input = tempFiles.AddExtension("htm");
        var output = tempFiles.AddExtension("jpg");
        File.WriteAllText(input, html);

        switches += string.Format(" -f jpeg {0} {1}", input, output);
        var psi = new ProcessStartInfo(Path.Combine(wkhtmltopdfPath, "wkhtmltoimage.exe"))
        {
            UseShellExecute = false,
            CreateNoWindow = true,
            Arguments = switches
        };
        using (var process = Process.Start(psi))
        {
            process.WaitForExit((int)TimeSpan.FromSeconds(30).TotalMilliseconds);
        }

        return File.ReadAllBytes(output);
    }
}

а потом:

byte[] result = Convert(
    @"c:\Program Files (x86)\wkhtmltopdf", 
    "",
    File.ReadAllText("test.htm")
)
Другие вопросы по тегам