gpt4 book ai didi

c# - 数字文本框 - 使用 Double.TryParse

转载 作者:行者123 更新时间:2023-11-30 16:26:07 25 4
gpt4 key购买 nike

我知道这是一个有很多答案的古老问题,但我还没有找到任何好的、可靠的答案。

要求是一个始终包含 Double.TryParse 将返回 true 的字符串的文本框。

我见过的大多数实现都没有防止输入,例如:“10.45.8”。这是一个问题。

最好的方法是完全使用事件,例如 TextInput 和 KeyDown(用于空格)。这些的问题是获取表示更改前的新文本(或更改后的旧文本)的字符串非常复杂。 TextChanged 的​​问题是它没有提供获取旧文本的方法。

如果您能以某种方式在更改之前获取新文本,那将是最有帮助的,因为您可以针对 Double.TryParse 对其进行测试。不过可能有更好的解决方案。

执行此操作的最佳方法是什么?

这个问题的最佳答案是采用多种方法并对它们进行比较。

最佳答案

方法一

TextChangedKeyDown 事件组合用于 TextBox。在 KeyDown 上,您可以将当前文本保存在文本框中,然后在 TextChanged 事件中执行您的 Double.TryParse。如果输入的文本无效,您将恢复为旧文本值。这看起来像:

private int oldIndex = 0;
private string oldText = String.Empty;

private void textBox1_TextChanged(object sender, TextChangedEventArgs e)
{
double val;
if (!Double.TryParse(textBox1.Text, out val))
{
textBox1.TextChanged -= textBox1_TextChanged;
textBox1.Text = oldText;
textBox1.CaretIndex = oldIndex;
textBox1.TextChanged += textBox1_TextChanged;
}
}

private void textBox1_KeyDown(object sender, KeyEventArgs e)
{
oldIndex = textBox1.CaretIndex;
oldText = textBox1.Text;
}

CaratIndex 有助于避免在验证失败时将光标移动到第一个位置而烦死用户。但是,此方法不会捕获 SpaceBar 按键。它将允许输入像这样的文本“1234.56”。此外,粘贴文本将不会得到正确验证。除此之外,我不喜欢在文本更新期间弄乱事件处理程序。

方法二

这种方法应该可以满足您的需求。

使用 PreviewKeyDownPreviewTextInput 事件处理程序。通过观察这些事件并进行相应的处理,您无需担心恢复到文本框中以前的文本值。 PreviewKeyDown 可用于监视和忽略您的 SpaceBar 按键,PreviewTextInput 可用于在分配新文本框值之前对其进行测试。

private void textBox1_PreviewKeyDown(object sender, KeyEventArgs e)
{
if (e.Key == Key.Space)
{
e.Handled = true;
}
}

private void textBox1_PreviewTextInput(object sender, TextCompositionEventArgs e)
{
//Create a string combining the text to be entered with what is already there.
//Being careful of new text positioning here, though it isn't truly necessary for validation of number format.
int cursorPos = textBox1.CaretIndex;
string nextText;
if (cursorPos > 0)
{
nextText = textBox1.Text.Substring(0, cursorPos) + e.Text + textBox1.Text.Substring(cursorPos);
}
else
{
nextText = textBox1.Text + e.Text;
}
double testVal;
if (!Double.TryParse(nextText, out testVal))
{
e.Handled = true;
}
}

这种方法可以更好地在无效输入进入文本框之前捕获它。但是,将事件设置为 Handled 我想可能会给您带来麻烦,具体取决于消息路由列表中的其余目的地。此处未处理的最后一部分是用户将无效输入粘贴到文本框中的能力。这可以通过添加此代码来处理,该代码基于 Paste Event in a WPF TextBox 构建.

private void OnPaste(object sender, DataObjectPastingEventArgs e)
{
double testVal;
bool ok = false;

var isText = e.SourceDataObject.GetDataPresent(System.Windows.DataFormats.Text, true);
if (isText)
{
var text = e.SourceDataObject.GetData(DataFormats.Text) as string;
if (Double.TryParse(text, out testVal))
{
ok = true;
}
}

if (!ok)
{
e.CancelCommand();
}
}

InitializeComponent 调用之后使用此代码添加此处理程序:

DataObject.AddPastingHandler(textBox1, new DataObjectPastingEventHandler(OnPaste));

关于c# - 数字文本框 - 使用 Double.TryParse,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/9131931/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com