Sunday, November 1, 2009

Defining and Raising Custom Events

We’ve all handled events before, e.g. the Load of a Form, the Click of a Button or the TextChanged of a TextBox. Many, even relatively experienced, developers aren’t too sure on how to raise events from their own classes though.

The .NET Framework provides a fairly simple mechanism for events but, more than that, a convention is used throughout the Framework for employing that mechanism. While you don’t have to, it’s a good idea to stick to that convention in your own code. Doing so means that your interface will be consistent with the rest of the Framework, and consistency is a good thing. Using your types will feel familiar to yourself and others because they will behave just like the types you’re used to using from the Framework.

First up, let’s define exactly what an event is. In conceptual terms, an event is a notification that something has happened. Just like your microwave oven makes a “beep” or “ding” sound to notify you that it has finished cooking your food, so a .NET object raises an event to notify any other objects that are listening that it has done something or something has been done to it.

Technically, an event is a member of a type, just like properties and methods, except its type is a delegate rather than a class or structure. A delegate, or at least an instance of a delegate, is an object that contains a reference to a method. In the case of an event, the method the delegate refers to is the event handler. As an example, the Button class has a Click event defined as type EventHandler. The EventHandler delegate is defined like so:

C#

public delegate void EventHandler(object sender, EventArgs e);

VB

Public Delegate Sub EventHandler(ByVal sender As Object, ByVal e As EventArgs)

That method signature should look familiar because it looks a lot like the signature of an event handler method, e.g.

C#

private void button1_Click(object sender, EventArgs e)
{
    // ...
}

VB

Private Sub Button1_Click(ByVal sender As Object, ByVal e As EventArgs) Handles Button1.Click
    '...
End Sub

When you create a handler for the Click event of a Button in your form, what you’re actually doing is creating an instance of the EventHandler delegate, providing it a reference to your method and then assigning it to the Click member of the Button. When the Button is clicked, it goes to its Click event and invokes the delegate it finds there, which in turn invokes your method.

This post isn’t about delegates though, so if you want more information on their inner workings you should look for that elsewhere. This post is about defining and raising custom events, so let’s get on with that. The first thing we need is a class that will raise an event.

C#

public class Person
{
    private string _firstName;
    private string _lastName;
 
    public string FirstName
    {
        get
        {
            return this._firstName;
        }
        set
        {
            this._firstName = value;
        }
    }
 
    public string LastName
    {
        get
        {
            return this._lastName;
        }
        set
        {
            this._lastName = value;
        }
    }
}

VB

Public Class Person
 
    Private _firstName As String
    Private _lastName As String
 
    Public Property FirstName() As String
        Get
            Return Me._firstName
        End Get
        Set(ByVal value As String)
            Me._firstName = value
        End Set
    End Property
 
    Public Property LastName() As String
        Get
            Return Me._lastName
        End Get
        Set(ByVal value As String)
            Me._lastName = value
        End Set
    End Property
 
End Class

So, we have a class with two properties, which we can get and set. It might be convenient for us to receive a notification from an instance of this class when those property values change. For instance, if you are displaying the person’s name in some TextBoxes and the name gets changed in code, you’d want to know about it so that you could update the TextBoxes, right? For that we need an event to be raised when the property value changes.

The first thing to do is to declare the events as members in the Person class. Considering that these events are notifications of the FirstName and LastName property values being changed, it’s most appropriate that they be named “FirstNameChanged” and “LastNameChanged”, which is convention throughout the Framework.

C#

public event EventHandler FirstNameChanged;
public event EventHandler LastNameChanged;

VB

Public Event FirstNameChanged As EventHandler
Public Event LastNameChanged As EventHandler

Once the events are declared, you’ll find that the Person class now has events you can handle. That doesn’t do us any good if the events are never raised though, so let’s add some basic code to raise those events when the corresponding property values change.

C#

public string FirstName
{
    get
    {
        return this._firstName;
    }
    set
    {
        this._firstName = value;
 
        if (this.FirstNameChanged != null)
        {
            this.FirstNameChanged(this, EventArgs.Empty);
        }
    }
}
 
public string LastName
{
    get
    {
        return this._lastName;
    }
    set
    {
        this._lastName = value;
 
        if (this.LastNameChanged != null)
        {
            this.LastNameChanged(this, EventArgs.Empty);
        }
    }
}

VB

Public Property FirstName() As String
    Get
        Return Me._firstName
    End Get
    Set(ByVal value As String)
        Me._firstName = value
 
        RaiseEvent FirstNameChanged(Me, EventArgs.Empty)
    End Set
End Property
 
Public Property LastName() As String
    Get
        Return Me._lastName
    End Get
    Set(ByVal value As String)
        Me._lastName = value
 
        RaiseEvent LastNameChanged(Me, EventArgs.Empty)
    End Set
End Property

Note that, when the event is raised, the object passes itself as the first argument. The first argument is passed to the sender parameter, so the object is identifying itself as the sender, i.e. the object that raised the event.

The second argument is EventArgs.Empty, which is part of the standard pattern. You should be fairly used to your event handlers having a sender parameter of type Object and an e parameter of type EventArgs or something like it. The second parameter is the event’s data. The EventArgs class acts as a place-holder for events that don’t have any data and as a base class for the types used by events that do have data. Rather than create a new EventArgs object each time, we use the static/Shared Empty field, which returns an empty EventArgs object.

Now, the code we have will do the job but we can make it better. First of all, the event will be raised every time the corresponding property is set, whether the value actually changes or not. We should actually test the new value and only raise the event if it’s different to the old value.

C#

public string FirstName
{
    get
    {
        return this._firstName;
    }
    set
    {
        if (value != this._firstName)
        {
            this._firstName = value;
 
            if (this.FirstNameChanged != null)
            {
                this.FirstNameChanged(this, EventArgs.Empty);
            }
        }
    }
}
 
public string LastName
{
    get
    {
        return this._lastName;
    }
    set
    {
        if (value != this._lastName)
        {
            this._lastName = value;
 
            if (this.LastNameChanged != null)
            {
                this.LastNameChanged(this, EventArgs.Empty);
            }
        }
    }
}

VB

Public Property FirstName() As String
    Get
        Return Me._firstName
    End Get
    Set(ByVal value As String)
        If value <> Me._firstName Then
            Me._firstName = value
 
            RaiseEvent FirstNameChanged(Me, EventArgs.Empty)
        End If
    End Set
End Property
 
Public Property LastName() As String
    Get
        Return Me._lastName
    End Get
    Set(ByVal value As String)
        If value <> Me._lastName Then
            Me._lastName = value
 
            RaiseEvent LastNameChanged(Me, EventArgs.Empty)
        End If
    End Set
End Property

The next step is to implement the common pattern that is used throughout the Framework for raising events. That involves declaring a method whose purpose in life it is to raise the event.

C#

protected virtual void OnFirstNameChanged(EventArgs e)
{
    if (this.FirstNameChanged != null)
    {
        this.FirstNameChanged(this, e);
    }
}
 
protected virtual void OnLastNameChanged(EventArgs e)
{
    if (this.LastNameChanged != null)
    {
        this.LastNameChanged(this, e);
    }
}

VB

Protected Overridable Sub OnFirstNameChanged(ByVal e As EventArgs)
    RaiseEvent FirstNameChanged(Me, e)
End Sub
 
Protected Overridable Sub OnLastNameChanged(ByVal e As EventArgs)
    RaiseEvent LastNameChanged(Me, e)
End Sub

Such a method is used basically so that the event is only ever raised in one place. If you ever want to raise the event you simply call this method.

C#

public string FirstName
{
    get
    {
        return this._firstName;
    }
    set
    {
        if (value != this._firstName)
        {
            this._firstName = value;
            this.OnFirstNameChanged(EventArgs.Empty);
        }
    }
}
 
public string LastName
{
    get
    {
        return this._lastName;
    }
    set
    {
        if (value != this._lastName)
        {
            this._lastName = value;
            this.OnLastNameChanged(EventArgs.Empty);
        }
    }
}

VB

Public Property FirstName() As String
    Get
        Return Me._firstName
    End Get
    Set(ByVal value As String)
        If value <> Me._firstName Then
            Me._firstName = value
            Me.OnFirstNameChanged(EventArgs.Empty)
        End If
    End Set
End Property
 
Public Property LastName() As String
    Get
        Return Me._lastName
    End Get
    Set(ByVal value As String)
        If value <> Me._lastName Then
            Me._lastName = value
            Me.OnLastNameChanged(EventArgs.Empty)
        End If
    End Set
End Property

The primary advantage of this is linked to the way the method is declared. Notice that the methods above are declared protected/Protected and virtual/Overridable. This means that any derived classes can override these methods and change the type’s behaviour when the events are raised. The derived class simply calls the base implementation to raise the event, so code can be added before that call or after it to add new behaviour. This new behaviour will be invoked even if the method is called from the base class, such is the behaviour of overridden members. If the event was raised directly in the property setters of the base class then derived classes wouldn’t be able to add new behaviour because the properties are not declared virtual/Overridable.

It’s also worth noting that another part of the pattern is naming the method that raises an event the same as the event it raises, but with the “On” prefix added. Note that in .NET there is no OnLoad or OnClick event. The events are named Load and Click and the methods that raise them are name OnLoad and OnClick.

So, we now have a full, working implementation that follows the standard .NET pattern. We’ve declared the events, declared methods to raise them and then called those methods when the event notification is required. But wait; there’s more!

I said earlier that events may or may not have data associated with them. In the case of our FirstNameChanged and LastNameChanged events there is no data. Listeners are simply being notified that a property value has changed. If they want to know the new value they can simply get the property. As such an EventArgs object is used as a place-holder for the event handlers. Now let’s consider a situation where the event handlers will require some information that they cannot otherwise access themselves.

In that situation the object raising the event needs to pass that data to the event handler. It does this through the e parameter. In such cases the e parameter cannot be type EventArgs because the EventArgs class has no members that can store such data. As a result, we need to use a class that inherits EventArgs and then adds the required members. The Framework already contains numerous such class, e.g. MouseEventArgs and PaintEventArgs. You should use one of those existing classes if it’s appropriate to your event, otherwise you should define your own class.

For this example, let’s consider the situation where we want to notify listeners that the property value is going to change before it happens, in addition to notifying them that the property value has changed after it happens. If the property value hasn’t actually changed yet then there’s no way an event handler can get the new value, unless that data is passed to the event handler explicitly. For this we’ll define our own derived EventArgs class. We could define one for each event but they are both notifying about a String property changing so we can use the same class for both.

C#

public class StringPropertyChangingEventArgs : EventArgs
{
    private readonly string _proposedValue;
 
    public string ProposedValue
    {
        get
        {
            return this._proposedValue;
        }
    }
 
    public StringPropertyChangingEventArgs(string proposedValue)
    {
        this._proposedValue = proposedValue;
    }
}

VB

Public Class StringPropertyChangingEventArgs
    Inherits EventArgs
 
    Private ReadOnly _proposedValue As String
 
    Public ReadOnly Property ProposedValue() As String
        Get
            Return Me._proposedValue
        End Get
    End Property
 
    Public Sub New(ByVal proposedValue As String)
        Me._proposedValue = proposedValue
    End Sub
 
End Class

Note that the StringPropertyChangingEventArgs class inherits the EventArgs class and then adds a property for the new data we need: the proposed value of the property. There’s no need to include the current value of the property because the event handler can get that itself.

There are two more points to note here. The name of the class ends with “EventArgs”, which is part of the convention. Another is using the term “Changing” for an event related to a proposed change to a property value. This goes along with the convention of using “Changed” for an event related to a property that has changed already. For the events you would normally prefix the “Changing” with the name of the property. We can’t do that for this class though, because it’s to be used by more than one property/event.

Now that we have a type to pass the event data to the event handler, the next thing we need is an event. In the case of the FirstNameChanged and LastNameChanged events, we declared them as type EventHandler. That’s not possible for our FirstNameChanging and LastNameChanging events though because they will require a StringPropertyChangingEventArgs parameter rather than an EventArgs parameter, so their signatures will not match that of the EventHandler delegate. We need a different delegate. For this we have two choices. Firstly, we could define our own delegate with a signature that matches that of our event handlers. This is good practice if you’re exposing an event outside the current assembly. We’ll look at that option later but, if the event is only going to be used within the current project, it’s considered good practice to use the generic EventHandler(TEventArgs) delegate.

C#

public event EventHandler<StringPropertyChangingEventArgs> FirstNameChanging;
public event EventHandler<StringPropertyChangingEventArgs> LastNameChanging;

VB

Public Event FirstNameChanging As EventHandler(Of StringPropertyChangingEventArgs)
Public Event LastNameChanging As EventHandler(Of StringPropertyChangingEventArgs)

In this case the generic type of the delegate specifies the type of the second parameter of the event handler. Note that this type must be EventArgs or derived from EventArgs.

The next step is to declare methods to raise the events. They will be much as were those for the other events but with a different parameter type.

C#

protected virtual void OnFirstNameChanging(StringPropertyChangingEventArgs e)
{
    if (this.FirstNameChanging != null)
    {
        this.FirstNameChanging(this, e);
    }
}
 
protected virtual void OnLastNameChanging(StringPropertyChangingEventArgs e)
{
    if (this.LastNameChanging != null)
    {
        this.LastNameChanging(this, e);
    }
}

VB

Protected Overridable Sub OnFirstNameChanging(ByVal e As StringPropertyChangingEventArgs)
    RaiseEvent FirstNameChanging(Me, e)
End Sub
 
Protected Overridable Sub OnLastNameChanging(ByVal e As StringPropertyChangingEventArgs)
    RaiseEvent LastNameChanging(Me, e)
End Sub

All that remains is for us to call the methods to actually raise the events. Remember that these events are intended to notify our listeners that a property value is going to change, so they must be raised before the actual value changes.

C#

public string FirstName
{
    get
    {
        return this._firstName;
    }
    set
    {
        if (value != this._firstName)
        {
            this.OnFirstNameChanging(new StringPropertyChangingEventArgs(value));
            this._firstName = value;
            this.OnFirstNameChanged(EventArgs.Empty);
        }
    }
}
 
public string LastName
{
    get
    {
        return this._lastName;
    }
    set
    {
        if (value != this._lastName)
        {
            this.OnLastNameChanging(new StringPropertyChangingEventArgs(value));
            this._lastName = value;
            this.OnLastNameChanged(EventArgs.Empty);
        }
    }
}

VB

Public Property FirstName() As String
    Get
        Return Me._firstName
    End Get
    Set(ByVal value As String)
        If value <> Me._firstName Then
            Me.OnFirstNameChanging(New StringPropertyChangingEventArgs(value))
            Me._firstName = value
            Me.OnFirstNameChanged(EventArgs.Empty)
        End If
    End Set
End Property
 
Public Property LastName() As String
    Get
        Return Me._lastName
    End Get
    Set(ByVal value As String)
        If value <> Me._lastName Then
            Me.OnLastNameChanging(New StringPropertyChangingEventArgs(value))
            Me._lastName = value
            Me.OnLastNameChanged(EventArgs.Empty)
        End If
    End Set
End Property

That’s done but, really, what use is that event? It tells our listeners that the property value is about to change and what it’s about to change to, but to what use can that information be put? Normally, the reason you want to know that a property is about to change is so that you can abort the change if the value is unacceptable for some reason. That can’t be done in this case though, because the property value changes after the event has been handled no matter what.

The ability to cancel an action from an event handler already exists in the Framework. Consider the FormClosing event. You can ask the user for confirmation at that stage and, if they decide they don’t want to close the form, you simply set the e.Cancel property to True. This property is available because the e parameter is type CancelEventArgs. We can’t use CancelEventArgs for our methods though, because we need to provide the extra data consisting of the proposed property value. The solution is to have our StringPropertyChangingEventArgs class inherit CancelEventArgs instead of EventArgs. That way we get the Cancel property and we can add our own data to that.

C#

public class StringPropertyChangingEventArgs : CancelEventArgs
{
    private readonly string _proposedValue;
 
    public string ProposedValue
    {
        get
        {
            return this._proposedValue;
        }
    }
 
    public StringPropertyChangingEventArgs(string proposedValue)
    {
        this._proposedValue = proposedValue;
    }
}

VB

Public Class StringPropertyChangingEventArgs
    Inherits CancelEventArgs
 
    Private ReadOnly _proposedValue As String
 
    Public ReadOnly Property ProposedValue() As String
        Get
            Return Me._proposedValue
        End Get
    End Property
 
    Public Sub New(ByVal proposedValue As String)
        Me._proposedValue = proposedValue
    End Sub
 
End Class

The class name hasn’t changed so we don’t need to change any of the event and method declarations. We do, however, have to change the code in the property to handle the situation where the listener cancels the action. In that case the property value shouldn’t change.

C#

public string FirstName
{
    get
    {
        return this._firstName;
    }
    set
    {
        if (value != this._firstName)
        {
            StringPropertyChangingEventArgs e = new StringPropertyChangingEventArgs(value);
 
            this.OnFirstNameChanging(e);
 
            if (!e.Cancel)
            {
                this._firstName = value;
                this.OnFirstNameChanged(EventArgs.Empty);
            }
        }
    }
}
 
public string LastName
{
    get
    {
        return this._lastName;
    }
    set
    {
        if (value != this._lastName)
        {
            StringPropertyChangingEventArgs e = new StringPropertyChangingEventArgs(value);
 
            this.OnLastNameChanging(e);
 
            if (!e.Cancel)
            {
                this._lastName = value;
                this.OnLastNameChanged(EventArgs.Empty);
            }
        }
    }
}

VB

Public Property FirstName() As String
    Get
        Return Me._firstName
    End Get
    Set(ByVal value As String)
        If value <> Me._firstName Then
            Dim e As New StringPropertyChangingEventArgs(value)
 
            Me.OnFirstNameChanging(e)
 
            If Not e.Cancel Then
                Me._firstName = value
                Me.OnFirstNameChanged(EventArgs.Empty)
            End If
        End If
    End Set
End Property
 
Public Property LastName() As String
    Get
        Return Me._lastName
    End Get
    Set(ByVal value As String)
        If value <> Me._lastName Then
            Dim e As New StringPropertyChangingEventArgs(value)
 
            Me.OnLastNameChanging(e)
 
            If Not e.Cancel Then
                Me._lastName = value
                Me.OnLastNameChanged(EventArgs.Empty)
            End If
        End If
    End Set
End Property

This is as much as most people will usually need to do when it comes to custom events. There are a couple more points to consider though. As I said earlier, if your event is only going to be handled within your own project then it’s considered good practice to use the generic EventHandler(TEventArgs) delegate as your event’s type. If you’re exposing your event outside your assembly though, it’s considered good practice to declare your own delegate and declare your event as that type. This is in much the same vein as declaring properties that expose a collection. In that case, properties that will be accessible only within the assembly can use the generic List(T) class while, for properties exposed outside the assembly, you should declare your own custom collection type.

In this case we have two choices if we want to declare our own custom delegate. We can either declare a single delegate, just as we’ve declared a single EventArgs class, or declare a delegate for each event. Good practice dictates that we choose the latter.

C#

public delegate void FirstNameChangingEventHandler(object sender, StringPropertyChangingEventArgs e);
public delegate void LastNameChangingEventHandler(object sender, StringPropertyChangingEventArgs e);

VB

Public Delegate Sub FirstNameChangingEventHandler(ByVal sender As Object, ByVal e As StringPropertyChangingEventArgs)
Public Delegate Sub LastNameChangingEventHandler(ByVal sender As Object, ByVal e As StringPropertyChangingEventArgs)

Note that our delegates’ signatures match those of the methods that will be used to handle the events. Notice, also, that the names follow convention: the name of the event with an “EventHandler” suffix. Now we simply declare our events as these types instead of type Eventhandler(TEventArgs).

C#

public event FirstNameChangingEventHandler FirstNameChanging;
public event LastNameChangingEventHandler LastNameChanging;

VB

Public Event FirstNameChanging As FirstNameChangingEventHandler
Public Event LastNameChanging As LastNameChangingEventHandler

Finally, consider how our new cancellable event works. The caller sets the property and the appropriate “Changing” event is raised. The caller can either cancel the event, in which case the new property value is never committed and the corresponding “Changed” event is never raised, or else the event can be accepted, in which case the new property value is committed and the “Changed” event is raised.

That’s just what we want, but consider what happens if we have two event handlers for the same “Changing” event. Let’s say that the property is set and the “Changing” event is raised, invoking the first event handler. If e.Cancel is set to True in that event handler, what should happen? If the event has been cancelled then that should be the end of it, right? That’s not what will happen though. As it stands, all event handlers will be invoked no matter what. That means that the first event handler to get invoked might set e.Cancel to True, but then the second event handler can set it back to False again. That would mean that the property value change would be committed, even though it was cancelled by the first listener. It would depend on the circumstances but, more often than not, I would think that this would be undesirable behaviour.

To remedy this we need to create truly custom events, which means providing our own implementation to handle an event handler being added, an event handler being removed and the event being raised. The first step is to create a collection for our delegates so that we can loop through them and invoke each one individually rather than invoking them all as a group.

C#

private List<FirstNameChangingEventHandler> firstNameChangingHandlers = new List<FirstNameChangingEventHandler>();
private List<LastNameChangingEventHandler> lastNameChangingHandlers = new List<LastNameChangingEventHandler>();

VB

Private firstNameChangingHandlers As New List(Of FirstNameChangingEventHandler)
Private lastNameChangingHandlers As New List(Of LastNameChangingEventHandler)

Next we need to provide a custom implementation for our events that handles adding and removing event handlers.

C#

public event FirstNameChangingEventHandler FirstNameChanging
{
    add
    {
        this.firstNameChangingHandlers.Add(value);
    }
    remove
    {
        this.firstNameChangingHandlers.Remove(value);
    }
}
 
public event LastNameChangingEventHandler LastNameChanging
{
    add
    {
        this.lastNameChangingHandlers.Add(value);
    }
    remove
    {
        this.lastNameChangingHandlers.Remove(value);
    }
}

VB

Public Custom Event FirstNameChanging As FirstNameChangingEventHandler
    AddHandler(ByVal value As FirstNameChangingEventHandler)
        Me.firstNameChangingHandlers.Add(value)
    End AddHandler
 
    RemoveHandler(ByVal value As FirstNameChangingEventHandler)
        Me.firstNameChangingHandlers.Remove(value)
    End RemoveHandler
 
    RaiseEvent(ByVal sender As Object, ByVal e As StringPropertyChangingEventArgs)
        For Each handler As FirstNameChangingEventHandler In Me.firstNameChangingHandlers
            handler(sender, e)
            If e.Cancel Then Exit For
        Next
    End RaiseEvent
End Event
 
Public Custom Event LastNameChanging As LastNameChangingEventHandler
    AddHandler(ByVal value As LastNameChangingEventHandler)
        Me.lastNameChangingHandlers.Add(value)
    End AddHandler
 
    RemoveHandler(ByVal value As LastNameChangingEventHandler)
        Me.lastNameChangingHandlers.Remove(value)
    End RemoveHandler
 
    RaiseEvent(ByVal sender As Object, ByVal e As StringPropertyChangingEventArgs)
        For Each handler As LastNameChangingEventHandler In Me.lastNameChangingHandlers
            handler(sender, e)
            If e.Cancel Then Exit For
        Next
    End RaiseEvent
End Event

Notice that now, when a handler is added for the event, we store it in our own collection. We remove the handler from the collection when it’s removed from the event as well. In the case of VB, we also add extra code to control what happens when we call RaiseEvent. That allows the VB code that raises the event to remain unchanged, while the C# code that raises the event must provide the extra functionality for allowing the event to be cancelled before all event handlers have been executed.

C#

protected virtual void OnFirstNameChanging(StringPropertyChangingEventArgs e)
{
    foreach (FirstNameChangingEventHandler handler in this.firstNameChangingHandlers)
    {
        handler(this, e);
        if (e.Cancel) break;
    }
}
 
protected virtual void OnLastNameChanging(StringPropertyChangingEventArgs e)
{
    foreach (LastNameChangingEventHandler handler in this.lastNameChangingHandlers)
    {
        handler(this, e);
        if (e.Cancel) break;
    }
}

VB

Protected Overridable Sub OnFirstNameChanging(ByVal e As StringPropertyChangingEventArgs)
    RaiseEvent FirstNameChanging(Me, e)
End Sub
 
Protected Overridable Sub OnLastNameChanging(ByVal e As StringPropertyChangingEventArgs)
    RaiseEvent LastNameChanging(Me, e)
End Sub

In both cases, raising the event now consists of looping through the registered event handlers one by one. As soon as one of the event handlers cancels the event, no more event handlers are executed.

That’s everything. We’ve covered declaring our own events that have no data, defining our own custom EventArgs class, declaring events that use that custom class using the generic EventHandler(TEventArgs) delegate as well as our own custom delegates, passing data to the event handler and back again and, finally, defining custom events that provide their own implementation for adding and removing event handlers as well as raising the event itself. There’s now nothing you can’t do with events of your own. Here’s hoping you have an eventful future. ;-)

14 comments:

Chris128 said...

It was all good up until this part:
"Here’s hoping you have an eventful future"

Just kidding, even a bad pun couldnt ruin what was a well laid out and informative tutorial :)

Keep 'em coming!
Chris

Anonymous said...

wonderful..................................................

Anonymous said...

Nice dispatch and this post helped me alot in my college assignement. Thanks you on your information.

Anonymous said...

Easily I agree but I dream the brief should have more info then it has.

Anonymous said...
This comment has been removed by a blog administrator.
jmcilhinney said...

Easily I agree but I dream the brief should have more info then it has.

I'm curious to know what you think is missing.

Anonymous said...

Amiable fill someone in on and this post helped me alot in my college assignement. Gratefulness you seeking your information.

Anonymous said...

Good fill someone in on and this enter helped me alot in my college assignement. Gratefulness you seeking your information.

Anonymous said...

Excellent tutorial

Anonymous said...

please update this Blog in 2011

Anonymous said...

Awesome! Thank you!

Anonymous said...

Thank You soo much. Excellent tutorial. MHPR

hisuwh said...

Very clear and comprehensive tutorial.
Thanks for taking the time to write this.

Anonymous said...

For instance, if you are displaying the person’s name in some TextBoxes and the name gets changed in code, you’d want to know about it so that you could update the TextBoxes, right? - hi, but what do you mean by the name in TextBoxes gets changed ?