如何在屏幕上的任何位置创建一个像这样的工具提示(在 AutoIt 中创建)?我找了一个小时,真的什么也没找到。它是一个普通的工具提示,就像托盘图标的工具提示一样,可以放在任何地方。
问候
为什么它是 Windows 窗体、ASP .NET 等很重要?因为它可能会影响你的选择。
如果它是 Windows 窗体应用程序,您可以创建自己的继承自 Windows.Forms.Form 的类,设置一些属性然后使用它。
public class MyTooltip : Form
{
public int Duration { get; set; }
public MyTooltip(int x, int y, int width, int height, string message, int duration)
{
this.FormBorderStyle = FormBorderStyle.None;
this.ShowInTaskbar = false;
this.Width = width;
this.Height = height;
this.Duration = duration;
this.Location = new Point(x, y);
this.StartPosition = FormStartPosition.Manual;
this.BackColor = Color.LightYellow;
Label label = new Label();
label.Text = message;
label.TextAlign = System.Drawing.ContentAlignment.MiddleLeft;
label.Dock = DockStyle.Fill;
this.Padding = new Padding(5);
this.Controls.Add(label);
}
protected override void OnShown(System.EventArgs e)
{
base.OnShown(e);
TaskScheduler ui = TaskScheduler.FromCurrentSynchronizationContext();
Task.Factory.StartNew(() => CloseAfter(this.Duration, ui));
}
private void CloseAfter(int duration, TaskScheduler ui)
{
Thread.Sleep(duration * 1000);
Form form = this;
Task.Factory.StartNew(
() => form.Close(),
CancellationToken.None,
TaskCreationOptions.None,
ui);
}
}
你可以像这样使用它:
private void showButton_Click(object sender, EventArgs e)
{
var tooltip = new MyTooltip(
(int)this.xBox.Value,
(int)this.yBox.Value,
50,
50,
"This is my custom tooltip message.",
(int)durationBox.Value);
tooltip.Show();
}
假设您需要持续时间,您可以减少表单的不透明度,直到它消失,然后关闭它以获得更好的效果,而不是关闭它。
您还可以使用透明度颜色并使用背景图像等来塑造工具提示。
编辑:
这是 CloseAfter 方法如何淡出工具提示表单的快速演示。
private void CloseAfter(int duration, TaskScheduler ui)
{
Thread.Sleep(duration * 1000);
Form form = this;
for (double i = 0.95; i > 0; i -= 0.05)
{
Task.Factory.StartNew(
() => form.Opacity = i,
CancellationToken.None,
TaskCreationOptions.None,
ui);
Thread.Sleep(50);
}
Task.Factory.StartNew(
() => form.Close(),
CancellationToken.None,
TaskCreationOptions.None,
ui);
}