DPI为150%时,我的表单无法正确打印



我有一个在我的机器上正确打印的表单,但当我在另一台机器上部署应用程序时,该表单不适合页面,桌面背景显示在打印的文档上。这两台机器的主要区别在于其中一台的DPI设置为150%。我已经多次更改了自动缩放,但没有任何更改。表单在屏幕上看起来不错,只是打印不正确。下面是我正在使用的代码。

private void btnPrint_Click(object sender, EventArgs e)
    {
        CaptureScreen();
        printPreviewDialog1.Document = printDocument1;
        printPreviewDialog1.ShowDialog();            
    }
    Bitmap memoryImage;
    private void CaptureScreen()
    {
        Graphics myGraphics = this.CreateGraphics();
        Size s = this.Size;
        memoryImage = new Bitmap(s.Width, s.Height, myGraphics);
        Graphics memoryGraphics = Graphics.FromImage(memoryImage);
        memoryGraphics.CopyFromScreen(this.Location.X, this.Location.Y, 0, 0, s);
    }
    private void printDocument1_PrintPage(System.Object sender,
           System.Drawing.Printing.PrintPageEventArgs e)
    {            
        e.Graphics.DrawImage(memoryImage, 0, 0);
    }

更高的dpi缩放不是通过增加Windows字体大小并让应用程序处理缩放来实现的(就像旧的125%缩放一样),而是通过让操作系统为您进行缩放。在这种模式下,操作系统将实际dpi设置交给应用程序,并在绘制应用程序的表面时自行缩放应用程序。

结果是,在应用程序中,像素的位置和大小并不是屏幕上使用的真实位置和大小。但是CopyFromScreen()方法需要实际的像素坐标和大小。您需要找出应用程序所经历的像素缩放,然后将此缩放应用于所使用的坐标。

这是工作代码(getScalingFactor()方法是从这个答案中窃取的)。

[DllImport("gdi32.dll")]
static extern int GetDeviceCaps(IntPtr hdc, int nIndex);
public enum DeviceCap
{
    VERTRES = 10,
    DESKTOPVERTRES = 117,
}
private float getScalingFactor()
{
    using (Graphics g = Graphics.FromHwnd(IntPtr.Zero))
    {
        IntPtr desktop = g.GetHdc();
        try
        {
            int LogicalScreenHeight = GetDeviceCaps(desktop, (int)DeviceCap.VERTRES);
            int PhysicalScreenHeight = GetDeviceCaps(desktop, (int)DeviceCap.DESKTOPVERTRES);
            float ScreenScalingFactor = (float)PhysicalScreenHeight / (float)LogicalScreenHeight;
            return ScreenScalingFactor; 
        }
        finally
        {
            g.ReleaseHdc();
        }
    }
}
private void button1_Click(object sender, EventArgs e)
{
    using (Graphics myGraphics = this.CreateGraphics())
    {
        var factor = getScalingFactor();
        Size s = new Size((int)(this.Size.Width * factor), (int)(this.Size.Height * factor));
        using (Bitmap memoryImage = new Bitmap(s.Width, s.Height, myGraphics))
        {
            using (Graphics memoryGraphics = Graphics.FromImage(memoryImage))
            {
                memoryGraphics.CopyFromScreen((int)(Location.X * factor), (int)(Location.Y * factor), 0, 0, s);
                memoryImage.Save(@"D:x.png", ImageFormat.Png);
            }
        }
    }
}

最新更新