随着.NET 4.5.3的出现,WPF开发人员现在有三种(或更多)方法来通知INotifyPropertyChanged
接口属性更改。基本上,我的问题是介绍的两种方法中的哪一种。NET 4.5以后版本是通知属性更改的更有效的方式,在WPF中使用这两种方式是否都有好处
背景
对于那些不太熟悉这个主题的人来说,以下是主要的三种方法。第一种是原始的、更容易出错的简单传递字符串的方法:
public string TestValue
{
get { return testValue; }
set { testValue = value; NotifyPropertyChanged("TestValue"); }
}
protected virtual void NotifyPropertyChanged(string propertyName)
{
if (PropertyChanged != null)
{
PropertyChanged(this, new PropertyChangedEventArgs(propertyName));
}
}
第二种方法是在.NET 4.5中引入的;CallerMemberNameAttribute
:
public string TestValue
{
get { return testValue; }
set { testValue = value; NotifyPropertyChanged(); }
}
protected virtual void NotifyPropertyChanged([CallerMemberName]string propertyName = "")
{
if (PropertyChanged != null)
{
PropertyChanged(this, new PropertyChangedEventArgs(propertyName));
}
}
第三种也是最新的方法是(或将很快)在C#6.0中作为.NET 4.5.3的一部分引入的;nameof
操作员:
public string TestValue
{
get { return testValue; }
set { testValue = value; NotifyPropertyChanged(nameof(TestValue)); }
}
protected virtual void NotifyPropertyChanged(string propertyName)
{
PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName));
}
我自己的假设是,最初的、更容易出错的简单传递字符串的方法将是最有效的,因为我只能想象其他两种方法使用某种形式的反射。然而,我真的很想知道其他两种方法中哪一种更有效,以及在WPF上下文中使用CallerMemberNameAttribute
属性和nameof
运算符之间是否真的有任何区别。
关于效率:直接使用字符串,CallerMemberNameAttribute
、nameof
都完全相同,因为编译器在编译时注入了字符串。没有任何反思。
我们可以看到,使用TryRoslyn为CallerMemberNameAttribute
:生成
public string TestValue
{
get { return this.testValue; }
set { this.testValue = value; this.NotifyPropertyChanged("TestValue"); }
}
protected virtual void NotifyPropertyChanged([CallerMemberName] string propertyName = "")
{
if (this.PropertyChanged != null)
{
this.PropertyChanged(this, new PropertyChangedEventArgs(propertyName));
}
}
对于nameof
:
public string TestValue
{
get { return this.testValue; }
set { this.testValue = value; this.NotifyPropertyChanged("TestValue"); }
}
protected virtual void NotifyPropertyChanged(string propertyName)
{
if (this.PropertyChanged != null)
{
this.PropertyChanged(this, new PropertyChangedEventArgs(propertyName));
}
}
由于在运行时,所有选项都只是一个string
,因此WPF上下文没有问题。
关于方便:CallerMemberNameAttribute
要求您有一个可选参数,而nameof
没有,但nameof
要求您指定属性,CallerMemberNameAttribute
没有。
我预测nameof
会非常受欢迎,因此使用它会简单得多。
CallerMemberNameAttribute
只能在被调用函数上使用-获取调用函数的名称。
nameof
运算符远不止于此。它可以在任何地方使用。
如果您只想在WPF数据绑定的范围内对此进行推理,请以以下示例为例:
public string FullName
{
get
{
return string.Format(
"{0} {1}",
this.firstName,
this.lastName);
}
}
public string FirstName
{
get
{
return this.firstName;
}
set
{
if (value != this.firstName)
{
this.firstName = value;
NotifyPropertyChanged(nameof(FirstName));
NotifyPropertyChanged(nameof(FullName));
}
}
}
public string LasttName
{
get
{
return this.lastName;
}
set
{
if (value != this.lastName)
{
this.lastName = value;
NotifyPropertyChanged(nameof(LasttName));
NotifyPropertyChanged(nameof(FullName));
}
}
}