我试图通过使用下面的代码以随机间隔运行计时器。问题是,当我这样做时,我只发布了一个随机数,我不知道如何使用我的代码获取下一个随机数:
using System;
using System.Windows.Forms;
namespace Auto_Typer
{
public partial class AutoTyper : Form
{
public AutoTyper()
{
InitializeComponent();
tmrInterval.Tick += new EventHandler(Interval);
txtInterval.TextChanged += new EventHandler(TextChanged);
txtMin.TextChanged += new EventHandler(TextChanged);
txtMax.TextChanged += new EventHandler(TextChanged);
}
private void TextChanged(object sender, EventArgs e)
{
if (int.Parse(txtInterval.Text) < 1 || int.Parse(txtMin.Text) < 1 || int.Parse(txtMax.Text) < 1)
{
txtInterval.Text = "1";
txtMin.Text = "1";
txtMax.Text = "1";
}
else if (int.Parse(txtInterval.Text) > 100)
{
txtInterval.Text = "100";
txtMin.Text = "100";
txtMax.Text = "100";
}
else if (int.Parse(txtMin.Text) >= int.Parse(txtMax.Text))
{
txtMax.Text = (int.Parse(txtMin.Text) + 1).ToString();
}
}
void Interval(object sender, EventArgs e)
{
SendKeys.Send(txtText.Text + ", " + tmrInterval.Interval + "{enter}");
}
private void btnStart_Click(object sender, EventArgs e)
{
if (tbType.SelectedTab == tbInterval)
{
tmrInterval.Interval = int.Parse(txtInterval.Text) * 1000;
tmrInterval.Enabled = true;
}
if (tbType.SelectedTab == tbRange)
{
Random random = new Random();
tmrInterval.Interval = (random.Next(int.Parse(txtMin.Text), int.Parse(txtMax.Text)) * 1000);
tmrInterval.Enabled = true;
}
}
private void btnStop_Click(object sender, EventArgs e)
{
tmrInterval.Enabled = false;
}
private void btnExit_Click(object sender, EventArgs e)
{
this.Close();
}
}
}
答案 0 :(得分:4)
我建议将“new Random()”调用移出到初始化程序,然后在每次需要新的随机数时简单地调用Random.Next()。
有关Random()的更多信息:http://msdn.microsoft.com/en-us/library/h343ddh9.aspx
随机不是随机的,它是伪随机的。这意味着给定相同的起始种子(给予Random实例化的参数),随后对Random.Next()的调用将每次返回相同的值序列。好消息(谢谢,phoog)是默认构造函数(无args)自动使用基于时间的种子。
答案 1 :(得分:2)
只需在随机更改的时间间隔内更改回调方法的时间间隔:
private Random random = new Random();
void Interval(object sender, EventArgs e)
{
tmrInterval.Interval = (random.Next(int.Parse(txtMin.Text), int.Parse(txtMax.Text)) * 1000);
SendKeys.Send(txtText.Text + ", " + tmrInterval.Interval + "{enter}");
}
并且(如上所述)使Random
实例成为您班级的成员字段,这样您就不必每次都重新创建它(如果以非常快的顺序调用,可能会带来问题)。< / p>
答案 2 :(得分:1)
现在,每次单击按钮时都会创建Random
实例,因为它是处理程序的本地实例。要在印刷机之间保持它,你需要使它成为一个领域。 -
private Random _random = new Random();
现在,点击处理程序可以从字段中获取下一个随机值
if (tbType.SelectedTab == tbRange)
{
tmrInterval.Interval = (_random.Next(int.Parse(txtMin.Text), int.Parse(txtMax.Text)) * 1000);
tmrInterval.Enabled = true;
}