我试图在两个坐标之间以编程方式移动鼠标。 但我想在所有快速或慢速加工机器上可靠地保持速度。 我看到了this link here。但是当模拟两个坐标之间的移动时,它并不保证光标的最佳,平滑和可见的速度。我想知道是否有人知道确定各种机器的延迟和步骤最佳值等参数的技巧就像我的第一个想法是使用for-loop特定的iteraton来确定机器的性能然后根据多少时间对参数进行分级。 -loop拿了......一个主意?或者我完全错了吗? 感谢
答案 0 :(得分:3)
你应该让动作成为时间的函数。从C# moving the mouse around realistically处的答案开始,并使用秒表类来衡量已用时间:
public void LinearSmoothMove(Point newPosition, TimeSpan duration)
{
Point start = GetCursorPosition();
// Find the vector between start and newPosition
double deltaX = newPosition.X - start.X;
double deltaY = newPosition.Y - start.Y;
// start a timer
Stopwatch stopwatch = new Stopwatch();
stopwatch.Start();
double timeFraction = 0.0;
do
{
timeFraction = (double)stopwatch.Elapsed.Ticks / duration.Ticks;
if (timeFraction > 1.0)
timeFraction = 1.0;
PointF curPoint = new PointF(start.X + timeFraction * deltaX,
start.Y + timeFraction * deltaY);
SetCursorPosition(Point.Round(curPoint));
Thread.Sleep(20);
} while (timeFraction < 1.0);
}
答案 1 :(得分:0)
我会推荐一些物理学。速度是距离除以时间。如果你想在每台机器上都有一个快速的鼠标速度,你必须得到准确的时间。
我们举个例子:
您希望将鼠标从0/0移动到400/600,并且应在3秒后始终到达端点。
因此,您必须保存开始时间并构建一个将在启动时+ 3s结束的while循环。在循环中,您可以根据经过时间和总时间计算X和Y坐标。
X = 400 / 3s * ElapsedTime
Y = 600 / 3s * ElapsedTime
这将是机器独立。为了获得好的结果,您应该使用像Stopwatch这样的高准确时间。
答案 2 :(得分:0)
我试过这个,但仍然不是最佳的。它仍然随机器处理能力而变化。@ Justin,使用不同的持续时间和睡眠时间值。如果您在测试后想出更好的解决方案,请告诉我。谢谢!
using System;
using System.Drawing;
using System.Runtime.InteropServices;
using System.Windows.Forms;
using System.Diagnostics;
using System.Threading;
namespace ConsoleApplication11
{
class Program
{
[DllImport("user32.dll")]
static extern bool SetCursorPos(int X, int Y);
public static void LinearSmoothMove(Point newPosition, TimeSpan duration)
{
Point start = Cursor.Position;
int sleep = 10;
//PointF iterPoint = start;
// Find the vector between start and newPosition
double deltaX = newPosition.X - start.X;
double deltaY = newPosition.Y - start.Y;
// start a timer
Stopwatch stopwatch = new Stopwatch();
stopwatch.Start();
double timeFraction = 0.0;
do
{
timeFraction = (double)stopwatch.Elapsed.Ticks / duration.Ticks;
if (timeFraction > 1.0)
timeFraction = 1.0;
PointF curPoint = new PointF((float)(start.X + timeFraction * deltaX), (float)(start.Y + timeFraction * deltaY));
SetCursorPos(Point.Round(curPoint).X, Point.Round(curPoint).Y);
Thread.Sleep(sleep);
} while (timeFraction < 1.0);
}
static void Main(string[] args)
{
TimeSpan delayt = new TimeSpan(0, 0, 3);
LinearSmoothMove(new Point(20, 40), delayt);
Console.Read();
}
}
}