variable/property changed event in vb.net

34,232

Solution 1

From the MSDN library entry INotifyPropertyChanged.PropertyChanged Event:

Public Class DemoCustomer
    Implements INotifyPropertyChanged

    Private customerNameValue As String = String.Empty

    Public Event PropertyChanged As PropertyChangedEventHandler _
        Implements INotifyPropertyChanged.PropertyChanged

    Private Sub NotifyPropertyChanged(ByVal info As String)
        RaiseEvent PropertyChanged(Me, New PropertyChangedEventArgs(info))
    End Sub

    Public Property CustomerName() As String
        Get
            Return Me.customerNameValue
        End Get

        Set(ByVal value As String)
            If Not (value = customerNameValue) Then
                Me.customerNameValue = value
                NotifyPropertyChanged("CustomerName")
            End If
        End Set
    End Property
End Class

Solution 2

Yes, the best (if not the only) way of doing this is to completely hide the actual variable (make it Private) and expose it via a Property which fires events whenever the setter is used.

I do this regularly, but I've found that it's important to NOT raise the event if the new value is similar to the old value. This both eliminates unnecessary function calls and sometimes prevents recursive events.

Solution 3

The canonical event for this is the PropertyChanged event, which is defined in the INotifyPropertyChanged interface. You can raise this from your property setters. (Note that VB.NET will not raise the event for you: you must include the code to raise it.)

If the code you want to run on a change is logically part of your class (e.g. updating a customer status when the balance changes) then it is appropriate to put this in the property setter rather than in an event handler. Event handlers are for when external code needs to know about changes, e.g. to update the UI in response to the customer status changing.

Share:
34,232
Jonathan.
Author by

Jonathan.

I'm a 25 year old Software engineer in London, proudly working on the Elfin Market iOS app. I've made a few tweaks for jailbroken iOS and some other stuff.

Updated on July 09, 2022

Comments

  • Jonathan.
    Jonathan. almost 2 years

    How can I make an event that is raised when a variable or property is changed (or can I just put the code I would put in an event in the Set section of a property?