c#锁定Windows窗体控件
本文关键字:控件 窗体 Windows 锁定 | 更新日期: 2023-09-27 18:16:42
我正在编写一个winforms应用程序,我遇到了一个问题:
例如,我有一个数字up/down控件,当按下up/down按钮时,我不希望它改变,但我希望访问新值,而不改变控件本身的数字。我还需要能够在某些条件下解锁它,所以它看起来像这样:
private void numericUpDown1_ValueChanged(object sender, EventArgs e)
{
if (!canChange)
{
int newValue = get_expected_new_value();
doSomeStuff(newValue);
//some_code_to_cancel_the_value_change;
}
else
{
//allow the change
doSomeOtherStuff();
}
}
我该怎么做这件事?
您可以使用numericUpDown1
的Tag
属性来存储最后一个值。虽然这不是一个特别优雅的解决方案。
归功于:c# NumericUpDown。onvaluechange,它是如何改变的?
在你的例子中,它看起来像这样:
private void numericUpDown1_ValueChanged(object sender, EventArgs e)
{
var o = (NumericUpDown) sender;
int thisValue = (int) o.Value;
int lastValue = (o.Tag == null) ? 0 : (int)o.Tag;
o.Tag = thisValue;
if (checkBox1.Checked) //some custom logic probably
{
//remove this event handler so it's not fired when you change the value in the code.
o.ValueChanged -= numericUpDown1_ValueChanged;
o.Value = lastValue;
o.Tag = lastValue;
//now add it back
o.ValueChanged += numericUpDown1_ValueChanged;
}
//otherwise allow as normal
}
基本上你在Tag
属性中存储最后一个已知的好值。然后检查条件并将值设置回最后一个正确的值。