WPF中的自定义NumericUpDown ValueChanged事件

时间:2013-09-30 11:37:45

标签: c# wpf winforms events user-controls

由于WPF不包含NumericUpDown已知的WinForms控件,因此我实现了自己的控件,并负责上下限值以及其他验证。

现在,WinForms NumericUpDown举行了ValueChanged活动,这也很好。我的问题是:如何将TextChangedEvent TextBox提升到我的主要应用程序? Delegate S'或者还有其他任何优选的方法来实现这个吗?

1 个答案:

答案 0 :(得分:2)

我个人更喜欢使用delegate来实现此目的,因为我可以为它设置自己的输入参数。我会做这样的事情:

public delegate void ValueChanged(object oldValue, object newValue);

使用object作为数据类型将允许您在NumericUpDown控件中使用不同的数字类型,但是每次都必须将其强制转换为正确的类型...我d发现这有点痛苦,所以如果您的控件只使用一种类型,例如int,那么您可以将delegate更改为:

public delegate void ValueChanged(int oldValue, int newValue);

然后,您需要一个公共属性,以便控件的用户附加处理程序:

public ValueChanged OnValueChanged { get; set; }

像这样使用:

NumericUpDown.OnValueChanged += NumericUpDown_OnValueChanged;

...

public void NumericUpDown_OnValueChanged(int oldValue, int newValue)
{
    // Do something with the values here
}

当然,除非我们实际从控件内部调用委托,否则不要忘记在没有附加处理程序的情况下检查null,这是没有用的:

public int Value
{ 
    get { return theValue; }
    set
    { 
        if (theValue != value)
        {
            int oldValue = theValue;
            theValue = value;
            if (OnValueChanged != null) OnValueChanged(oldValue, theValue);
            NotifyPropertyChanged("Value"); // Notify property change
        }
    }
}