捕捉矩形后面的图像

本文关键字:图像 | 更新日期: 2023-09-27 18:25:37

我已经编写了一个小应用程序,它将在我的工作环境中用于裁剪图像。包含图像的windows窗体(.NET 3.5)有一个透明的矩形,我用它来拖动图像的一部分,然后点击按钮来获取矩形后面的内容。

目前我正在使用下面的代码,这给我带来了问题,因为它正在捕捉的区域偏离了相当多的像素,我认为这与我的CopyFromScreen功能有关。

    //Pass in a rectangle
    private void SnapshotImage(Rectangle rect)
    {
        Point ptPosition = new Point(rect.X, rect.Y);
        Point ptRelativePosition;
        //Get me the screen coordinates, so that I get the correct area
        ptRelativePosition = PointToScreen(ptPosition);
        //Create a new bitmap
        Bitmap bmp = new Bitmap(rect.Width, rect.Height, PixelFormat.Format32bppArgb);
        //Sort out getting the image
        Graphics g = Graphics.FromImage(bmp);
        //Copy the image from screen
        g.CopyFromScreen(this.Location.X + ptPosition.X, this.Location.Y + ptPosition.Y,   0,  0, bmp.Size, CopyPixelOperation.SourceCopy);
        //Change the image to be the selected image area
        imageControl1.Image.ChangeImage(bmp);  
    }

如果有人能发现为什么当图像被重新绘制时会有点突出,我将永远感激。此外,ChangeImage函数也很好——如果我使用一个窗体作为选择区域,它会起作用,但使用矩形会让事情变得有点混乱。

捕捉矩形后面的图像

您已经检索到屏幕的相对位置为ptRelativePosition,但您从未实际使用过它——您将矩形的位置添加到表单的位置,这不考虑表单的边界。

这是固定的,通过一些优化:

// Pass in a rectangle
private void SnapshotImage(Rectangle rect)
{
    // Get me the screen coordinates, so that I get the correct area
    Point relativePosition = this.PointToScreen(rect.Location);
    // Create a new bitmap
    Bitmap bmp = new Bitmap(rect.Width, rect.Height, PixelFormat.Format32bppArgb);
    // Copy the image from screen
    using(Graphics g = Graphics.FromImage(bmp)) {
        g.CopyFromScreen(relativePosition, Point.Empty, bmp.Size);
    }
    // Change the image to be the selected image area
    imageControl1.Image.ChangeImage(bmp);  
}

有趣的是,这是因为主窗体和图像所在的控件之间的空间,以及窗体顶部分隔控件和主窗体顶部的工具栏

g.CopyFromScreen(relativePosition.X + 2, relativePosition.Y+48,  Point.Empty.X, Point.Empty.Y, bmp.Size);

干杯