web-dev-qa-db-ja.com

HTML文字列を画像に変換

HTMLマークアップを保持する文字列変数があります。このHTMLマークアップは、基本的にメールコンテンツを表します。

ここで、実際にHTMLマークアップを保持するこの文字列コンテンツから画像を作成します。このコンテンツをHTMLファイルに書き込んでHTMLファイルを作成したくありません。この文字列を使用して画像ファイルを作成したいだけです。

私が持っているものは次のとおりです。

string emailBody="<html><head></head><body><p>This is my text<p>...</body</html>"

このemailBody文字列コンテンツから画像を作成するにはどうすればよいですか?

34
Sachin

ご回答いただきありがとうございます。 HtmlRenderer 外部dll(ライブラリ)を使用して同じことを達成しましたが、同じものについては code を見つけました。

これはこのコードです

public void ConvertHtmlToImage()
{
   Bitmap m_Bitmap = new Bitmap(400, 600);
   PointF point = new PointF(0, 0);
   SizeF maxSize = new System.Drawing.SizeF(500, 500);
   HtmlRenderer.HtmlRender.Render(Graphics.FromImage(m_Bitmap),
                                           "<html><body><p>This is a shitty html code</p>"
                                           + "<p>This is another html line</p></body>",
                                            point, maxSize);

   m_Bitmap.Save(@"C:\Test.png", ImageFormat.Png);
}
54
Sachin

以下を試してください:

using System;
using System.Drawing;
using System.Threading;
using System.Windows.Forms;

class Program
{
    static void Main(string[] args)
    {
        var source =  @"
        <!DOCTYPE html>
        <html>
            <body>
                <p>An image from W3Schools:</p>
                <img 
                    src=""http://www.w3schools.com/images/w3schools_green.jpg"" 
                    alt=""W3Schools.com"" 
                    width=""104"" 
                    height=""142"">
            </body>
        </html>";
        StartBrowser(source);
        Console.ReadLine();
    }

    private static void StartBrowser(string source)
    {
        var th = new Thread(() =>
        {
            var webBrowser = new WebBrowser();
            webBrowser.ScrollBarsEnabled = false;
            webBrowser.DocumentCompleted +=
                webBrowser_DocumentCompleted;
            webBrowser.DocumentText = source;
            Application.Run();
        });
        th.SetApartmentState(ApartmentState.STA);
        th.Start();
    }

    static void 
        webBrowser_DocumentCompleted(
        object sender, 
        WebBrowserDocumentCompletedEventArgs e)
    {
        var webBrowser = (WebBrowser)sender;
        using (Bitmap bitmap = 
            new Bitmap(
                webBrowser.Width, 
                webBrowser.Height))
        {
            webBrowser
                .DrawToBitmap(
                bitmap, 
                new System.Drawing
                    .Rectangle(0, 0, bitmap.Width, bitmap.Height));
            bitmap.Save(@"filename.jpg", 
                System.Drawing.Imaging.ImageFormat.Jpeg);
        }
    }
}

注:クレジットは Hans Passant 彼のすばらしい answer の質問に行く必要があります 新しいスレッドのWebBrowserコントロール =このソリューションに影響を与えた

24
Alex Filipovici