截取wpf弹出窗口的截图

Coo*_*web 2 c# wpf screenshot popup

我尝试截取在WPF中编写的应用程序的截图并且未捕获应用程序,我是否必须使用特殊工具来截取屏幕截图?

Arc*_*rus 6

您可以使用RenderTargetBitmap从WPF控件生成图像.

    public const int IMAGE_DPI = 96;

    public Image GenerateImage(T control)
        where T : Control, new()
    {
        Size size = RetrieveDesiredSize(control);

        Rect rect = new Rect(0, 0, size.Width, size.Height);

        RenderTargetBitmap rtb = new RenderTargetBitmap((int)size.Width, (int)size.Height, IMAGE_DPI, IMAGE_DPI, PixelFormats.Pbgra32);

        control.Arrange(rect); //Let the control arrange itself inside your Rectangle
        rtb.Render(control); //Render the control on the RenderTargetBitmap

        //Now encode and convert to a gdi+ Image object
        PngBitmapEncoder png = new PngBitmapEncoder();
        png.Frames.Add(BitmapFrame.Create(rtb));
        using (MemoryStream stream = new MemoryStream())
        {
            png.Save(stream);
            return Image.FromStream(stream);
        }
    }

    private Size RetrieveDesiredSize(T control)
    {
        if (Equals(control.Width, double.NaN) || Equals(control.Height, double.NaN))
        {
            //Make sure the control has measured first:
            control.Measure(new Size(double.MaxValue, double.MaxValue));

            return control.DesiredSize;
        }

        return new Size(control.Width, control.Height);
    }
Run Code Online (Sandbox Code Playgroud)

请注意,这将生成PNG图像;)如果您希望将其存储为JPEG,我建议您使用另一个编码器:)

Image image = GenerateImage(gridControl);
image.Save("mygrid.png");
Run Code Online (Sandbox Code Playgroud)