如何在C#中截取Winforms控件/表单的屏幕截图?

Joa*_*nge 8 .net c# listview winforms

我有一个listviewwinforms表格的控件.它填满了整个屏幕,但屏幕上显示的项目比屏幕更多.

如何拍摄整个控件的屏幕截图,好像我可以listview在屏幕上显示整个内容?因此,如果整个listview需要1000 x 4000像素,那么我想要一个这样大小的图像/位图.

我该怎么做呢?当我尝试打印屏幕时,它只返回屏幕上的内容,屏幕外的任何内容都显示为灰色.

Dou*_*rch 10

表单是控件,因此您应该能够将整个内容保存到位图,例如:

var bm = new Bitmap(yourForm.Width, yourForm.Height);
yourForm.DrawToBitmap(bm, bm.Size);
bm.Save(@"c:\whatever.gif", ImageFormat.Gif);
Run Code Online (Sandbox Code Playgroud)

更新

DrawToBitmap只画出屏幕上的内容.如果要绘制列表的全部内容,则必须遍历列表以查找内容的大小,然后绘制每个项目.就像是:

var f = yourControl.Font;
var lineHeight = f.GetHeight();

// Find size of canvas
var s = new SizeF();
using (var g = yourControl.CreateGraphics())
{
    foreach (var item in yourListBox.Items)
    {
        s.Height += lineHeight ;
        var itemWidth = g.MeasureString(item.Text, f).Width;
        if (s.Width < itemWidth)
            s.Width = itemWidth;
    }

    if (s.Width < yourControl.Width)
         s.Width = yourControl.Width;
}

using( var canvas = new Bitmap(s) )
using( var g = Graphics.FromImage(canvas) )
{
    var pt = new PointF();
    foreach (var item in yourListBox.Items)
    {
        pt.Y += lineHeight ;
        g.DrawString(item.Text, f, Brushes.Black, pt);
    }

    canvas.Save(wherever);
}
Run Code Online (Sandbox Code Playgroud)