Click here to Skip to main content
15,893,904 members
Articles / Desktop Programming / WPF
Tip/Trick

PropertyObservable - A base class for the INotifyPropertyChanged interface.

Rate me:
Please Sign up or sign in to vote.
4.50/5 (4 votes)
18 Jul 2015Ms-PL4 min read 18.2K   201   6   3
An introduction to the PropertyObservable that is a base class to implement the INotifyPropertyChanged interface.

Introduction

If you are a .NET developer, especially a WPF developer with MVVM, you must know the importance of the INotifyPropertyChanged interface. It is a core interface that is used almost every day. So if we refine the base implementation of INotifyPropertyChanged, even if the improvement is small, it is likely to lead to quite high productivity. The PropertyObservable class is my second implementation for INotifyPropertyChanged. (You can see the first implementation here) It is designed to improve productivity as much as possible.

Basic INotifyPropertyChanged Implementation

INotifyPropertyChanged is a very simple interface. It declares only the PropertyChanged event:

C#
// Notifies clients that a property value has changed.
public interface INotifyPropertyChanged
{
    // Occurs when a property value changes.
    event PropertyChangedEventHandler PropertyChanged;
}

The PropertyChanged event is easily implemented with a few lines of code like this:

C#
public class PropertyObservable : INotifyPropertyChanged
{
    public event PropertyChangedEventHandler PropertyChanged;

    protected virtual void OnPropertyChanged(string propertyName)
    {
        PropertyChangedEventHandler propertyChanged = PropertyChanged;
        if (propertyChanged != null)
            propertyChanged(this, new PropertyChangedEventArgs(propertyName));
    }
}

But this is not the end of the story. You must write properties that raise the PropertyChanged event properly when they are changed.

Writing Properties

If you write a property with the basic INotifyPropertyChanged implementation, it will look like this:

C#
public partial class Test : PropertyObservable
{
    int _number;

    public int Number
    {
        get { return _number; }
        set
        {
            if (_number == value)
                return;

            _number = value;
            OnPropertyChanged("Number");
        }
    }
}

Hereafter I’ll call it a raw property. The raw property is not bad but the raw property setter is a little verbose. The PropertyObservable class provides methods named SetProperty for this situation. The raw property setter can be rewritten with a SetProperty method like this:

C#
public partial class Test : PropertyObservable
{
    int _number;

    public int Number
    {
        get { return _number; }
        set { SetProperty(ref _number, value, "Number"); }
    }
}

If you use the .NET framework 4.5 or higher, you can omit the property name like this:

C#
public partial class Test : PropertyObservable
{
    int _number;

    public int Number
    {
        get { return _number; }
        set { SetProperty(ref _number, value); }
    }
}

Hereafter I will assume that you use the .NET framework 4.5 or higher for brevity. In most cases, the above property implementation is enough. It is fast, and is recommended for all uses. But it requires managing a private field. Besides, in my point of view it looks a little messy when multiple properties are defined with comments:

C#
public partial class Test : PropertyObservable
{
    int _number1;

    /// <summary>
    /// The number 1.
    /// </summary>
    public int Number1
    {
        get { return _number1; }
        set { SetProperty(ref _number1, value); }
    }

    int _number2;

    /// <summary>
    /// The number 2.
    /// </summary>
    public int Number2
    {
        get { return _number2; }
        set { SetProperty(ref _number2, value); }
    }
}

Anyway, there is another SetProperty method that does not require a private field. The Number property can be rewritten without a private field like this:

C#
public partial class Test : PropertyObservable
{
    public int Number
    {
        get { return GetProperty<int>(); }
        set { SetProperty(value); }
    }
}

The GetProperty method retrieves a property value that is stored in an internal storage. The above property implementation is slower than the previous property implementation, but in my point of view, it looks neat and is slightly more productive. The following example shows two properties with comments:

C#
public partial class Test : PropertyObservable
{
    /// <summary>
    /// The number 1.
    /// </summary>
    public int Number1
    {
        get { return GetProperty<int>(); }
        set { SetProperty(value); }
    }

    /// <summary>
    /// The number 2.
    /// </summary>
    public int Number2
    {
        get { return GetProperty<int>(); }
        set { SetProperty(value); }
    }
}

If you need to set a default property value, you can use the getDefault parameter of the GetProperty method:

C#
public partial class Test : PropertyObservable
{
    public int Number
    {
        get { return GetProperty<int>(getDefault: () => 7); }
        set { SetProperty(value); }
    }
}

Checking Property Changes

It is common to run custom code when a property is changed. If you need to know when a property is changed, the most famous way is to handle the PropertyChanged event:

C#
public partial class Test : PropertyObservable
{
    protected override void OnPropertyChanged(PropertyChangedEventArgs e)
    {
        base.OnPropertyChanged(e);

        if (e.PropertyName == "Number")
        {
            Debug.WriteLine("Number: " + Number);
            return;
        }
    }
}

But the PropertyChanged event has a flaw. It does not provide the old property value. Therefore PropertyObservable provides another event named PropertyValueChanged that provides the old property value:

C#
public partial class Test : PropertyObservable
{
    protected override void OnPropertyValueChanged(IPropertyValueChangedEventArgs e)
    {
        base.OnPropertyValueChanged(e);

        if (e.PropertyName == "Number")
        {
            Debug.WriteLine("Number: {0} -> {1}", e.OldValue, e.NewValue);
            return;
        }
    }
}

But be warned, the event is only raised when you set a property value by a SetProperty method. Besides, the OldValue and NewValue are not type safe.

Sometimes it is reasonable to handle property changes in property setter for code manageability. In the raw Number property setter, the above code can be rewritten like this:

C#
public partial class Test : PropertyObservable
{
    int _number;

    public int Number
    {
        get { return _number; }
        set
        {
            if (_number == value)
                return;

            int oldValue = _number;
            _number = value;
            OnPropertyChanged("Number");
            Debug.WriteLine("Number: {0} -> {1}", oldValue, value);
        }
    }
}

If you use a SetProperty method in the property setter, it can be simplified. The SetProperty methods return true if a property is changed. So, the above code can be rewritten like this:

C#
public partial class Test : PropertyObservable
{
    public int Number
    {
        get { return GetProperty<int>(); }
        set
        {
            int oldValue = Number;
            if (SetProperty(value))
                Debug.WriteLine("Number: {0} -> {1}", oldValue, value);
        }
    }
}

Or you can use the onChanged parameter of the SetProperty methods. It is a callback delegate that is called when a property is changed. It also provides the old property value in its delegate parameter. So, you don’t need to cache the old property value:

C#
public partial class Test : PropertyObservable
{
    public int Number
    {
        get { return GetProperty<int>(); }
        set { SetProperty(value, onChanged: p => Debug.WriteLine("{0}: {1} -> {2}", p.PropertyName, p.OldValue, p.NewValue)); }
    }
}

Adjusting Property Value

It is often required to adjust property value before it is set for fixing invalid input or other reasons. Adjusting property value is easy. For example, the following code shows a raw property setter that does not allow negative numbers:

C#
public partial class Test : PropertyObservable
{
    int _number;

    public int Number
    {
        get { return _number; }
        set
        {
            if (_number == value)
                return;
                
            if (value < 0)
            {
                Debug.WriteLine("Number: {0} >> 0", value);
                value = 0;
                
                if (_number == value)
                    return;
            }

            _number = value;
            OnPropertyChanged("Number");
        }
    }
}

If you use a SetProperty method in the property setter, it will look like this:

C#
public partial class Test : PropertyObservable
{
    public int Number
    {
        get { return GetProperty<int>(); }
        set
        {
            if (Number == value)
                return;
        
            if (value < 0)
            {
                Debug.WriteLine("Number: {0} >> 0", value);
                value = 0;
            }

            SetProperty(value);
        }
    }
}

The SetProperty methods also provide the onChanging parameter that is called before a property is changed. It enables you to override the new property value by its delegate parameter. So, you can use the onChanging parameter like this:

C#
public partial class Test : PropertyObservable
{
    public int Number
    {
        get { return GetProperty<int>(); }
        set
        {
            SetProperty(value, onChanging: p =>
            {
                if (p.NewValue < 0)
                {
                    Debug.WriteLine("{0}: {1} >> 0", p.PropertyName, p.NewValue);
                    p.NewValue = 0;
                }
            });
        }
    }
}

If you want to adjust property values in a centralized location, the PropertyValueChanging event can be used like this:

C#
public partial class Test : PropertyObservable
{
    protected override void OnPropertyValueChanging(IPropertyValueChangingEventArgs e)
    {
        base.OnPropertyValueChanging(e);

        if (e.PropertyName == "Number")
        {
            if (((int)e.NewValue != Number && (int)e.NewValue < 0)
            {
                Debug.WriteLine("Number: {0} >> 0", e.NewValue);
                e.NewValue = 0;
            }

            return;
        }
    }
}

But be warned, like the PropertyValueChanged event, the PropertyValueChanging event is only raised when you set a property value by a SetProperty method. Besides, the OldValue and NewValue are not type safe. And the PropertyValueChanging event is raised before the onChaning callback is called.

Supported Preprocessor Symbols

You can use the following preprocessor symbols:

  • NICENIS_4C: Define this symbol if you want to compile with the .NET Framework 4 Client Profile.

License

This article, along with any associated source code and files, is licensed under The Microsoft Public License (Ms-PL)


Written By
Software Developer
Korea (Republic of) Korea (Republic of)
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
GeneralMy vote of 4 Pin
Klaus Luedenscheidt19-Jul-15 19:20
Klaus Luedenscheidt19-Jul-15 19:20 
GeneralRe: My vote of 4 Pin
Evgeny Bestfator20-Jul-15 3:21
professionalEvgeny Bestfator20-Jul-15 3:21 
If you have dosens of properties then using delegates in SetProperty makes code much more readable.

But behind of scenes each anonymous delegate - is 1 more dynamically compilled type and instance of that type, that means that GC will work harder, and application become hangy, so ofcouce better not use implicit delegates.
AnswerRe: My vote of 4 Pin
JO Hyeong-Ryeol20-Jul-15 16:15
JO Hyeong-Ryeol20-Jul-15 16:15 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.