我有一个文本框,得到一个十进制值说10500.00
问题是我的方式,当你输入一个值,然后输入小数,它不允许你退格或清除文本框输入一个新值..它只是卡住..我试图将值设置回0.00但我想我把它放在错误的地方,因为它不会改变它。这是我的代码
private void txtTransferAmount_KeyPress(object sender, KeyPressEventArgs e)
{
bool matchString = Regex.IsMatch(textBoxTransfer.Text.ToString(), @"\.\d\d");
if (matchString)
{
e.Handled = true;
}
if (!char.IsControl(e.KeyChar) && !char.IsDigit(e.KeyChar) && e.KeyChar != '.')
{
e.Handled = true;
}
// only allow one decimal point
if (e.KeyChar == '.' && (sender as TextBox).Text.IndexOf('.') > -1)
{
e.Handled = true;
}
}
您建议进行哪些类型的更改,以便我可以退格或清除texbox并输入新值?
答案 0 :(得分:1)
最简单的方法是:
if (!char.IsControl(e.KeyChar) && !char.IsDigit(e.KeyChar) && e.KeyChar != '.' && e.KeyChar != '\b')
{
e.Handled = true;
}
答案 1 :(得分:1)
您可以捕获退格(BS)字符(8),如果找到,则将句柄设置为false。
您的代码可能如下所示......
....
// only allow one decimal point
if (e.KeyChar == '.' && (sender as TextBox).Text.IndexOf('.') > -1)
{
e.Handled = true;
}
if (e.KeyChar == (char)8)
e.Handled = false;
建议让你的代码更直观地解释你的事件处理程序正在做什么,你可能想要创建一个暗示你正在实现的逻辑的var。有点像...
private void txtTransferAmount_KeyPress(object sender, KeyPressEventArgs e)
{
bool ignoreKeyPress = false;
bool matchString = Regex.IsMatch(textBoxTransfer.Text.ToString(), @"\.\d\d");
if (e.KeyChar == '\b') // Always allow a Backspace
ignoreKeyPress = false;
else if (matchString)
ignoreKeyPress = true;
else if (!char.IsControl(e.KeyChar) && !char.IsDigit(e.KeyChar) && e.KeyChar != '.')
ignoreKeyPress = true;
else if (e.KeyChar == '.' && (sender as TextBox).Text.IndexOf('.') > -1)
ignoreKeyPress = true;
e.Handled = ignoreKeyPress;
}