Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Simulate C# like events in javascript

Tags:

javascript

c#

I want to simulate C#'s events in JavaScript: what i want to do is something like this:

Let's say i have the following code:

function addToInvocationList(method, listener) {
      *Some code to add listener to the invocation list of method*
}

function MyClass() {
}

MyClass.prototype.Event = function() {}

var my_class_obj = new MyClass();

function subscriberFunction1() {}
function subscriberFunction2() {}
function subscriberFunction3() {}

addToInvocationList(my_class_obj.Event, subscriberFunction1);
addToInvocationList(my_class_obj.Event, subscriberFunction2);
addToInvocationList(my_class_obj.Event, subscriberFunction3);

my_class_obj.Event();

What i want to do is when i call my_class_obj.Event, all the subscribed functions get called.

Could this be achieved purely in JavaScript or i need to find my way around through DOM events?

like image 245
hiddenUser Avatar asked Apr 12 '13 05:04

hiddenUser


1 Answers

How about writing a separate event class: Reference link: http://alexatnet.com/articles/model-view-controller-mvc-javascript

function Event(sender) {
    this._sender = sender;
    this._listeners = [];
}

Event.prototype = {
    attach: function (listener) {
        this._listeners.push(listener);
    },
    notify: function (args) {
        for (var i = 0; i < this._listeners.length; i++) {
            this._listeners[i](this._sender, args);
        }
    }
};

And your my class. For example:

function MyClass(name) {
     var self = this;
     self.Name = name;
     self.nameChanged = new Event(this);

     self.setName = function (newName){
         self.Name = newName;
         self.nameChanged.notify(newName);
     }
}

Subscribe to event example code:

var my_class_obj = new MyClass("Test");
my_class_obj.nameChanged.attach(function (sender,args){

});
my_class_obj.setName("newName");

You can attach more event handlers and all these event handlers will get called. And you can also add more events as you'd like: addressChanged event for example. This approach also simulate c# event (sender and args)

like image 101
Khanh TO Avatar answered Sep 23 '22 08:09

Khanh TO