我想限制文本框只接受C#中的数字。我该怎么做?
答案 0 :(得分:13)
最原始的肮脏和肮脏的做法是做这样的事情:
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
this.textBox1.KeyPress += new KeyPressEventHandler(textBox1_KeyPress);
}
private void textBox1_KeyPress(object sender, KeyPressEventArgs e)
{
e.Handled = !char.IsDigit(e.KeyChar);
}
}
使用此方法仍然不安全,因为用户仍然可以将非数字字符复制并粘贴到文本框中。无论如何,您仍需要验证数据。
答案 1 :(得分:4)
其他人在我之前说过,我们几乎要知道你将使用它,WinForms,ASP.NET,Silverlight ......
但现在我冒了一个机会,它是WinForm:)
private void TxtBox1_KeyPress(object sender, KeyPressEventArgs e)
{
if (!System.Text.RegularExpressions.Regex.IsMatch(e.KeyChar.ToString(), "\\d+"))
e.Handled = true;
}
答案 2 :(得分:2)
有一些错误,但很容易:D
private void textbox1_TextChanged(object sender, EventArgs e)
{
char[] originalText = textbox1.Text.ToCharArray();
foreach (char c in originalText)
{
if (!(Char.IsNumber(c)))
{
textbox1.Text = textbox1.Text.Remove(textbox1.Text.IndexOf(c));
lblError.Visible = true;
}
else
lblError.Visible = false;
}
textbox1.Select(textbox1.Text.Length, 0);
}
答案 3 :(得分:1)
您是否在WinForms中尝试过MaskedTextBox控件?
答案 4 :(得分:1)
看看这样的事情
答案 5 :(得分:1)
这可能不是最好的方法,但适用于WPF TextBox ...
private void textBox1_TextChanged(object sender, TextChangedEventArgs e)
{
string originalText = ((TextBox)sender).Text.Trim();
if (originalText.Length>0)
{
int inputOffset = e.Changes.ElementAt(0).Offset;
char inputChar = originalText.ElementAt(inputOffset);
if (!char.IsDigit(inputChar))
{
((TextBox)sender).Text = originalText.Remove(inputOffset, 1);
}
}
}
答案 6 :(得分:0)
您可以使用AJAX Control Toolkit的FilterTextBox。使用此选项可以允许/禁止任何字符类型。这非常灵活。
答案 7 :(得分:0)
您可以使用Microsoft.VisualBasic.Information.IsNumeric是数字函数。只需添加引用Microsoft.VisualBasic
private void textBox1_Validating(object sender,
System.ComponentModel.CancelEventArgs e) {
if (!Microsoft.VisualBasic.Information.IsNumeric(textBox1.Text)) {
e.Cancel = true;
} else {
// Do something here
}
}
这允许用户输入科学记数法,这对于过滤来说并非易事。
答案 8 :(得分:0)
不确定这是否正确,但它适用于我,在TextChanged事件TextBox上运行它:
private void CoordinateValidation(object sender, TextChangedEventArgs e) {
TextBox inputBox = e.OriginalSource as TextBox;
inputBox.TextChanged -= CoordinateValidation;
int caretPos = inputBox.CaretIndex;
foreach (TextChange change in e.Changes) {
if (inputBox.Text.Substring(change.Offset, change.AddedLength).Any(c => !ValidChars.Contains(c)) ||
inputBox.Text.Count(c => c == '.') > 1 ||
(inputBox.Text.Length > 0 && inputBox.Text.Substring(1).Contains('-'))) {
inputBox.Text = inputBox.Text.Remove(change.Offset, change.AddedLength);
caretPos -= change.AddedLength;
}
}
inputBox.CaretIndex = caretPos;
inputBox.TextChanged += CoordinateValidation;
}
答案 9 :(得分:0)
看看下面的代码
private void txtbox1_KeyPress(object sender, KeyPressEventArgs e)
{
const char Delete = (char)8;
e.Handled = !Char.IsDigit(e.KeyChar) && e.KeyChar != Delete;
}
这会有所帮助,但用户可以复制和粘贴字符: - )