我有一些代码根据不同的输入值设置变量。简化到这里:
if (hipDepthPoint.X < 100)
{
Xvariabel = 1;
}
else
{
Xvariabel = 2;
}
然后我想查找变量Xvariabel
中的更改,每当值发生更改时,我都想执行操作。我已经研究了事件和属性,但我无法使它们工作。
答案 0 :(得分:4)
尝试使用属性
if (hipDepthPoint.X < 100)
{
Xvariabel = 1;
}
else
{
Xvariabel = 2;
}
public int Xvariabel
{
get { return _xvariabel ; }
set
{
if (_xvariabel != value)
{
_xvariabel = value
//do some action
}
}
}
答案 1 :(得分:1)
使用setter的属性应该完成工作 你应该写这样的东西:
private int _X
public int X {
get { return _X ; }
set { _X = value; //Your function here }
}
答案 2 :(得分:0)
以下是使用.net的发明和力量可以做的一个例子。 我使用了INotifyPropertyChange,但您可以使用自己的界面。这是一种非常通用的类型,它会将自己的值更改通知给多个侦听器
public class Test
{
public static void Main(string[] args)
{
ObservableVar<int> five = new ObservableVar<int>(5);
five.PropertyChanged += VarChangedEventHanler;
five.Value = 6;
int six = five;
if (five == six)
{
Console.WriteLine("You can use it almost like regular type!");
}
Console.ReadKey();
}
static void VarChangedEventHanler(object sender,PropertyChangedEventArgs e)
{
Console.WriteLine("{0} has changed",sender.ToString());
}
}
public class ObservableVar<T> : INotifyPropertyChanged
{
private T value;
public ObservableVar(T _value)
{
this.value = _value;
}
public T Value
{
get { return value; }
set
{
if (!this.value.Equals(value)) //null check omitted
{
this.value = value;
if (PropertyChanged != null)
{
PropertyChanged(this, new PropertyChangedEventArgs("Value"));
}
}
}
}
public event PropertyChangedEventHandler PropertyChanged;
public static implicit operator T(ObservableVar<T> observable)
{
return observable.Value;
}
}