在屏幕上自动单击鼠标

本文关键字:单击 鼠标 屏幕 | 更新日期: 2023-09-27 18:36:12

我正在寻找一种创建程序的方法,该程序将在屏幕上找到某种颜色的位置执行鼠标单击。

例如,如果屏幕上有一个红色框,我希望程序单击其中心的红色框。

如何在 C# 中完成此操作?

在屏幕上自动单击鼠标

由于您只想要一种通用方法,因此我并没有真正使其完美,但这是想法:

有一种截屏的方法:

public Bitmap ScreenShot()
{
    var screenShot = new Bitmap(Screen.PrimaryScreen.Bounds.Width,
                                Screen.PrimaryScreen.Bounds.Height,
                                PixelFormat.Format32bppArgb);
    using (var g = Graphics.FromImage(screenShot))
    {
        g.CopyFromScreen(0, 0, 0, 0, Screen.PrimaryScreen.Bounds.Size);
    }
    return screenShot;
}

以及在位图中查找某种颜色的方法:请注意,使用不安全代码和 LockBits 可以大大改进此实现(阅读此处和此处)。

public Point? GetFirstPixel(Bitmap bitmap, Color color)
{
    for (var y = 0; y < bitmap.Height; y++)
    {
        for (var x = 0; x < bitmap.Width; x++)
        {
            if (bitmap.GetPixel(x, y).Equals(color))
            {
                return new Point(x, y);
            }
        }
    }
    return null;
}

您需要的另一种方法是单击某个点的方法:

[DllImport("user32.dll",
           CharSet=CharSet.Auto,
           CallingConvention=CallingConvention.StdCall)]
private static extern void mouse_event(long dwFlags,
                                      long dx,
                                      long dy,
                                      long cButtons,
                                      long dwExtraInfo);
private const int MOUSEEVENTF_LEFTDOWN = 0x02;
private const int MOUSEEVENTF_LEFTUP = 0x04;
public void Click(Point pt)
{
    Cursor.Position = pt;
    mouse_event(MOUSEEVENTF_LEFTDOWN | MOUSEEVENTF_LEFTUP, pt.X, pt.Y, 0, 0);
}

最后,总结一下:

public bool ClickOnFirstPixel(Color color)
{
    var pt = GetFirstPixel(ScreenShot(), color);
    if (pt.HasValue)
    {
        Click(pt.Value);
    }
    // return whether found pixel and clicked it
    return pt.HasValue;
}

然后,用法将是:

if (ClickOnFirstPixel(Color.Red))
{
    Console.WriteLine("Found a red pixel and clicked it!");
}
else
{
    Console.WriteLine("Didn't find a red pixel, didn't click.");
}