我的C#windows窗体应用程序中有一些文本框。我想做以下事情:
inRed = Convert.ToInt32(tbRed.Text.ToString().Length < 0 ? tbRed.Text = "0" : tbRed.Text);
inGreen = Convert.ToInt32(tbGreen.Text.ToString().Length < 0 ? tbGreen.Text = "0" : tbGreen.Text);
inBlue = Convert.ToInt32(tbBlue.Text.ToString().Length < 0 ? tbBlue.Text = "0" : tbBlue.Text);
inCyan = Convert.ToInt32(tbCyan.Text.ToString().Length < 0 ? tbCyan.Text = "0" : tbCyan.Text);
inMagenta = Convert.ToInt32(tbMagenta.Text.ToString().Length < 0 ? tbMagenta.Text = "0" : tbMagenta.Text);
如果文本框没有值,请输入0
并转换为整数,否则将文本框的值转换为整数。
我收到inCyan
的以下错误,其中文本框为空:
Input string was not in a correct format.
我如何实现我的目标?
答案 0 :(得分:6)
使用Int32.TryParse
而不是Convert.ToInt32
。这会为您提供有关它是否为有效整数的反馈。 e.g。
String textboxValue = "1";
Int32 i;
if (!String.IsNullOrWhitespace(textboxValue) && // Not empty
Int32.TryParse(textboxValue, out i)) { // Valid integer
// The textbox had a valid integer. i=1
} else {
// The texbox had a bogus value. i=default(Int32)=0
// You can also specify a different fallback value here.
}
作为后续工作,如果提供了值,String.IsNullOrWhitespace
可以很容易地解密,但是(取决于您的.NET版本)可能不可用(并且您可能只有String.IsNullOrEmpty
如果需要,填充物的含义很长:
Boolean SringIsNullOrWhitespace(String input)
{
return !String.IsNullOrEmpty(input) && input.Trim().Length > 0;
}
此外,如果您发现自己经常尝试执行此解析,则可以将其重构为辅助类:
public static class ConvertUtil
{
public Int32 ToInt32(this String value)
{
return ToInt32(value, default(Int32));
}
public Int32 ToInt32(this String value, Int32 defaultValue)
{
#if NET4
if (!String.IsNullOrWhiteSpace(value))
#else
if (!String.IsNullOrEmpty(value) && value.Trim().Length > 0)
#endif
{
Int32 i;
if (Int32.TryParse(value, out i))
{
return i;
}
}
return defaultValue;
}
}
// explicit
inRed = ConvertUtil.ToInt32(tbRed.Text, 0/* defaultValue*/);
// As extension
inRed = tbRed.Text.ToInt32(0/* defaultValue*/);
答案 1 :(得分:2)
您可以执行类似
的操作// Initialise variable with 0
int value;
// Try parse it, if it's successful and able to parse then value is set to the int equivalent of your text input
int.TryParse(inputVariable, out value);
return value
这是处理问题的一种简单方法 - 注意,如果解析失败,则返回0到值。
如何将其应用于您的特定问题。
int inMagenta;
int.TryParse(tbMagenta, out inMagenta);
etc.....
答案 2 :(得分:1)
您可以使用tryparse。
int inRed; //default value will be 0 , if the string is not in a valid form
Int32.TryParse(tbRed.Text.ToString(), out inRed);