I was never sure about the meaning of propertyName
when implementing INotifyPropertyChanged
. So generally you implement INotifyPropertyChanged
as:
public class Data : INotifyPropertyChanged {
public event PropertyChangedEventHandler PropertyChanged;
private void NotifyPropertyChanged(string propertyName = "") {
if (PropertyChanged != null)
PropertyChanged(this, new PropertyChangedEventArgs(propertyName));
private string itsID;
public string ID {
get { return itsID; }
set {
if (itsID != value) {
itsID = value;
NotifyPropertyChanged("ID");
}
}
}
I was never sure about the propertyName
argument to NotifyPropertyChanged(string propertyName)
.
- Can that be any arbitrary string (like "MyID" in the above example)?
- Or does .NET use Reflection to align it with a property in a class so it has to match the name of the property exactly?
- What if the
propertyName
doesn't match the name of theProperty
exactly, does .NET consider the entire object aschanged
?
It's not .NET Framework itself per se, it's pretty much every
PropertyChanged
subscriber out there (some of which do indeed happen to be distributed as part of the framework) that assumes you use the interface as intended, by sending the property name. If you send a notification that the propertyMyID
has changed, when another component is looking at the propertyID
, it will typically see the notification, compare the names, and conclude "this notification isn't for me".It has to match the name of the property exactly. On a side note, you should check that the value has actually changed before calling PropertyChanged since that is a relatively expensive call (WPF would not know the property has not changed). In VS2015, you can also use the nameof operator.
If you want to match the name of the property exactly, you can use the new C#6 feature called
nameof
. Thenameof
feature is answers all of your questions because we could say the main advantage of usingnameof
in one word is refactoring. And "refactoring" is the word that you are looking for based on your questions:As an example renaming
ID
will change the name of the property too, or it will break compilation but the following doesn't: