如何将文本框条目放入while循环中?c#

本文关键字:while 循环 文本 | 更新日期: 2023-09-27 17:50:28

这就是我想要做的。我想让人们输入一个数字,他们想要运行多少次特定的程序。我不明白的是如何把数字10变成(textBox1.Text)。如果你有更好的办法,请告诉我。我对编程很陌生。

int counter = 1;
while ( counter <= 10 )
{
    Process.Start("notepad.exe");
    counter = counter + 1;
}

如何将文本框条目放入while循环中?c#

这展示了如何安全地接受用户提供的输入和将其转换为整数(System.Int32)并在计数器中使用它。

int counter = 1;
int UserSuppliedNumber = 0;
// use Int32.TryParse, assuming the user may enter a non-integer value in the textbox.  
// Never trust user input.
if(System.Int32.TryParse(TextBox1.Text, out UserSuppliedNumber)
{
   while ( counter <= UserSuppliedNumber)
   {
       Process.Start("notepad.exe");
       counter = counter + 1;  // Could also be written as counter++ or counter += 1 to shorten the code
   }
}
else
{
   MessageBox.Show("Invalid number entered.  Please enter a valid integer (whole number).");
}

textBox1。Text将返回一个字符串。您需要将其转换为int类型,并且由于它接受用户输入,因此您需要安全地执行此操作:

int max;
Int32.TryParse(value, out max);
if (max)
{
    while ( counter <= max ) {}
}
else
{
    //Error
}

尝试System.Int32.TryParse(textBox1.Text, out counterMax) (MSDN上的文档)将字符串转换为数字。

如果转换成功则返回true,如果转换失败则返回false(即用户输入的不是整数)

我建议使用MaskedTextBox控件从用户获取输入,这将有助于我们确保只提供数字。它不会限制我们使用TryParse功能。

像这样设置遮罩:(可以使用"属性窗口")

MaskedTextBox1.Mask = "00000";   // will support upto 5 digit numbers

然后像这样使用:

int finalRange = int.Parse(MaskedTextBox1.Text);
int counter = 1;
while ( counter <= finalRange )
{
    Process.Start("notepad.exe");
    counter = counter + 1;
}

使用Try Catch体,就像下面的函数

bool ErrorTextBox(Control C)
    {
        try
        {
            Convert.ToInt32(C.Text);
            return true;
        }
        catch { return false; }
    }

使用