`
wenbois2000
  • 浏览: 44659 次
  • 性别: Icon_minigender_1
  • 来自: 湖南
社区版块
存档分类
最新评论

JavaScript Patterns 读书笔记(六)

    博客分类:
  • Web
阅读更多

6.Design Pattern

  • Singleton
        The idea of the singleton pattern is to have only one instance of a specific class. This means that the second time you use the same class to create a new object, you should get the same object that was created the first time.
       And how does this apply to JavaScript? In JavaScript there are no classes, just objects.When you create a new object, there’s actually no other object like it, and the new object is already a singleton. Creating a simple object using the object literal is also an example of a singleton:
    var obj = {
    	myprop: 'my value'
    };
         In JavaScript, objects are never equal unless they are the same object, so even if you create an identical object with the exact same members, it won’t be the same as the first one:
    var obj2 = {
    	myprop: 'my value'
    };
    
    obj === obj2; // false
    obj == obj2; // false
    
        So you can say that every time you create an object using the object literal, you’re actually creating a singleton, and there’s no special syntax involved.

    Using new
         JavaScript doesn’t have classes, so the verbatim definition for singleton doesn’t technically    make sense. But JavaScript has the new syntax for creating objects using constructor    functions, and sometimes you might want a singleton implementation using this syntax. The idea is that when you use new to create several objects using the same constructor, you should get only new pointers to the exact same object. The following snippet shows the expected behavior (assuming that you dismiss the idea of the Multiverse and accept that there’s only one Universe out there):
    var uni = new Universe();
    var uni2 = new Universe();
    uni === uni2; // true
    
         In this example, uni is created only the first time the constructor is called. The second time (and the third, fourth, and so on) the same uni object is returned. This is why uni === uni2—because they are essentially two references pointing to the exact same object. And how to achieve this in JavaScript?
        You need your Universe constructor to cache the object instance this when it’s created and then return it the second time the constructor is called. You have several options to achieve this:

           • You can use a global variable to store the instance. This is not recommended because of the general principle that globals are bad. Plus, anyone can overwrite this global variable, even by accident. So let’s not discuss this option any further.

           • You can cache in a static property of the constructor. Functions in JavaScript are objects, so they can have properties. You can have something like Universe.instance and cache the object there. This is a nice, clean solution with the only drawback that the instance property is publicly accessible, and code outside of yours might change it, so you lose the instance.

           • You can wrap the instance in a closure. This keeps the instance private and not available for modifications outside of your constructor at the expense of an extra closure.

    Let’s take a look at an example implementation of the second and third options.

    Instance in a Static Property
           Here’s an example of caching the singular instance in a static property of the Universe constructor:
    function Universe() {
    	// do we have an existing instance?
    	if (typeof Universe.instance === "object") {
    		return Universe.instance;
    	}
    	// proceed as normal
    	this.start_time = 0;
    	this.bang = "Big";
    	// cache
    	Universe.instance = this;
    	// implicit return:
    	// return this;
    }
    
    // testing
    var uni = new Universe();
    var uni2 = new Universe();
    uni === uni2; // true
    
        As you see, this is a straightforward solution with the only drawback that instance is public. It’s unlikely that other code will change it by mistake (much less likely than if instance was a global) but still possible.

    Instance in a Closure
        Another way to do the class-like singleton is to use a closure to protect the single instance. You can implement this by using the private static member pattern discussed in Chapter 5. The secret sauce here is to rewrite the constructor:
    function Universe() {
    	// the cached instance
    	var instance = this;
    	// proceed as normal
    	this.start_time = 0;
    	this.bang = "Big";
    	// rewrite the constructor
    	Universe = function () {
    		return instance;
    	};
    }
    // testing
    var uni = new Universe();
    var uni2 = new Universe();
    uni === uni2; // true
         The original constructor is called the first time and it returns this as usual. Then the second, third time, and so on the rewritten constrictor is executed. The rewritten constructor has access to the private instance variable via the closure and simply returns it. This implementation is actually another example of the self-defining function pattern from Chapter 4. The drawback, as we discussed there, is that the rewritten function (in this case the constructor Universe()) will lose any properties added to it between the moment of initial definition and the redefinition. In our specific case anything you add to the prototype of Universe() will not have a live link to the instance created with the original implementation.
        Here’s how you can see the problem with some testing:
    // adding to the prototype
    Universe.prototype.nothing = true;
    var uni = new Universe();
    // again adding to the prototype
    // after the initial object is created
    Universe.prototype.everything = true;
    var uni2 = new Universe();
    
    // only the original prototype was
    // linked to the objects
    uni.nothing; // true
    uni2.nothing; // true
    uni.everything; // undefined
    uni2.everything; // undefined
    // that sounds right:
    uni.constructor.name; // "Universe"
    // but that's odd:
    uni.constructor === Universe; // false
    
        The reason that uni.constructor is no longer the same as the Universe() constructor is because uni.constructor still points to the original constructor, not the redefined one.If getting the prototype and the constructor pointer working as expected is a requirement, it’s possible to achieve this with a few tweaks:
    function Universe() {
    	// the cached instance
    	var instance;
    	// rewrite the constructor
    	Universe = function Universe() {
    		return instance;
    	};
    	// carry over the prototype properties
    	Universe.prototype = this;
    	// the instance
    	instance = new Universe();
    	// reset the constructor pointer
    	instance.constructor = Universe;
    	// all the functionality
    	instance.start_time = 0;
    	instance.bang = "Big";
    	return instance;
    }
    
        An alternative solution would also be to wrap the constructor and the instance in an immediate function. The first time the constructor is invoked, it creates an object and also points the private instance to it. From the second invocation on, the constructor simply returns the private variable. All the tests from the previous snippet will work as expected, too, with this new implementation:
    var Universe;
    (function () {
    	var instance;
    	Universe = function Universe() {
    		if (instance) {
    			return instance;
    		}
    		instance = this;
    		// all the functionality
    		this.start_time = 0;
    		this.bang = "Big";
    	};
    }());
    
     
  • Factory
       The purpose of the factory is to create objects. It’s usually implemented in a class or a static method of a class, which has the following purposes:

         • Performs repeating operations when setting up similar objects
         • Offers a way for the customers of the factory to create objects without knowing

        the specific type (class) at compile time The second point is more important in static class languages in which it may be nontrivial to create instances of classes, which are not known in advance (in compile time).
        In JavaScript, this part of the implementation is quite easy.The objects created by the factory method (or class) are by design inheriting from the same parent object; they are specific subclasses implementing specialized functionality. Sometimes the common parent is the same class that contains the factory method.

    Let’s see an example implementation where we have:

            • A common parent CarMaker constructor.

            • A static method of the CarMaker called factory(), which creates car objects.

            • Specialized constructors CarMaker.Compact, CarMaker.SUV, and CarMaker.Convertible that inherit from CarMaker. All of them will be defined as static properties of the parent so that we keep the global namespace clean, and so we also know where to find them when we need them.

    Let’s first see how the finished implementation will be used:

    var corolla = CarMaker.factory('Compact');
    var solstice = CarMaker.factory('Convertible');
    var cherokee = CarMaker.factory('SUV');
    corolla.drive(); // "Vroom, I have 4 doors"
    solstice.drive(); // "Vroom, I have 2 doors"
    cherokee.drive(); // "Vroom, I have 17 doors"
    
    var corolla = CarMaker.factory('Compact');
    
         You have a method that accepts a type given as a string at runtime and then creates and returns objects of the requested type. There are no constructors used with new or any object literals in sight, just a function that creates objects based on a type identified by a string. Here’s an example implementation of the factory pattern that would make the code in preceding snippet work:
    // parent constructor
    function CarMaker() {}
    
    // a method of the parent
    CarMaker.prototype.drive = function () {
    	return "Vroom, I have " + this.doors + " doors";
    };
    
    // the static factory method
    CarMaker.factory = function (type) {
    	var constr = type,
    	newcar;
    	// error if the constructor doesn't exist
    	if (typeof CarMaker[constr] !== "function") {
    		throw {
    			name: "Error",
    			message: constr + " doesn't exist"
    		};
    	}
    
    	// at this point the constructor is known to exist
    	// let's have it inherit the parent but only once
    	if (typeof CarMaker[constr].prototype.drive !== "function") {
    		CarMaker[constr].prototype = new CarMaker();
    	}
    
    	// create a new instance
    	newcar = new CarMaker[constr]();
    	// optionally call some methods and then return...
    	return newcar;
    };
    
    // define specific car makers
    CarMaker.Compact = function () {
    	this.doors = 4;
    };
    CarMaker.Convertible = function () {
    	this.doors = 2;
    };
    CarMaker.SUV = function () {
    	this.doors = 24;
    };
    
        There’s nothing particularly difficult about the implementation of the factory pattern. All you need to do is look for the constructor function that creates an object of the required type. In this case a simple naming convention was used to map object types to the constructors that create them. The inheritance part was just an example of a common repeating piece of code that could be put into the factory method instead of repeated for every constructor type.

    Built-in Object Factory
         And for an example of “factory in the wild,” consider the built-in global Object() constructor.It also behaves as a factory, because it creates different objects, depending on the input. If you pass it a primitive number, it can create an object with the Number() constructor behind the scenes. The same is true for the string and boolean values. Any other values, including no input values, will create a normal object.
       Here are some examples and tests of the behavior. Note that Object can be called with or without new:
    var o = new Object(),
    n = new Object(1),
    s = Object('1'),
    b = Object(true);
    
    // test
    o.constructor === Object; // true
    n.constructor === Number; // true
    s.constructor === String; // true
    b.constructor === Boolean; // true
    
         The fact that Object() is also a factory is of little practical use, just something worth mentioning as an example that the factory pattern is all around us.

  • Decorator
       In the decorator pattern, additional functionality can be added to an object dynamically,at runtime. When dealing with static classes, this could be a challenge. In JavaScript, objects are mutable, so the process of adding functionality to an object is not a problem in itself.
       A convenient feature of the decorator pattern is the customization and configuration of the expected behavior. You start with your plain object, which has some basic functionality. Then you pick and choose from an available pool of decorators which ones you want to use to enhance your plain object and in which order, if the order is important.
       Let’s take a look into an example usage of the pattern. Say you’re working on a web application that sells something. Every new sale is a new sale object. The sale “knows” about the price of the item and can return it by calling the sale.getPrice() method.
       Depending on the circumstances, you can start decorating this object with extra functionality.
       Imagine a scenario where the sale for a customer is in the Canadian province of Québec. In this case the buyer needs to pay a federal tax and a provincial Québec tax. Following the decorator pattern, you’ll say that you “decorate” the object with a federal tax decorator and a Québec tax decorator. You can then also decorate the object with price formatting functionality. This scenario could look like the following:
    var sale = new Sale(100); // the price is 100 dollars
    sale = sale.decorate('fedtax'); // add federal tax
    sale = sale.decorate('quebec'); // add provincial tax
    sale = sale.decorate('money'); // format like money
    sale.getPrice(); // "$112.88"
    
        In another scenario the buyer could be in a province that doesn’t have a provincial tax, and you might also want to format the price using Canadian dollars, so you can do:
    var sale = new Sale(100); // the price is 100 dollars
    sale = sale.decorate('fedtax'); // add federal tax
    sale = sale.decorate('cdn'); // format using CDN
    sale.getPrice(); // "CDN$ 105.00"
    
        One way to implement the decorator pattern is to have each decorator be an object containing the methods that should be overwritten. Each decorator actually inherits the object enhanced so far after the previous decorator. Each decorated method calls the same method on the uber (the inherited object) and gets the value and proceeds with doing something in addition.
        The end effect is that when you do sale.getPrice() in the first usage example, you’re calling the method of the money decorator. But because each decorated method first calls the parent’s method, money’s getPrice() first calls quebec’s getPrice(), which in turn calls fedtax’s getPrice() and so on. The chain goes all the way up to the original undecorated getPrice() implemented by the Sale() constructor. The implementation starts with a constructor and a prototype method:
    function Sale(price) {
    	this.price = price || 100;
    }
    Sale.prototype.getPrice = function () {
    	return this.price;
    };
    
     The decorator objects will all be implemented as properties of a constructor property:
    Sale.decorators = {};
        Let’s see one example decorator. It’s an object that implements the customized getPrice() method. Note that the method first gets the value from the parent method and then modifies that value:
    Sale.decorators.fedtax = {
    	getPrice: function () {
    		var price = this.uber.getPrice();
    		price += price * 5 / 100;
    		return price;
    	}
    };
        Similarly we can implement other decorators, as many as needed. They can be extensions to the core Sale() functionality, implemented like plugins. They can even “live” in additional files and be developed and shared by third-party developers:
    Sale.decorators.quebec = {
    	getPrice: function () {
    		var price = this.uber.getPrice();
    		price += price * 7.5 / 100;
    		return price;
    	}
    };
    Sale.decorators.money = {
    	getPrice: function () {
    		return "$" + this.uber.getPrice().toFixed(2);
    	}
    };
    Sale.decorators.cdn = {
    	getPrice: function () {
    		return "CDN$ " + this.uber.getPrice().toFixed(2);
    	}
    };
    
     
       Finally let’s see the “magic” method called decorate() that ties all the pieces together. Remember it will be called like:
    sale = sale.decorate('fedtax');
    
        The 'fedtax' string will correspond to an object that’s implemented in Sale.decorators.fedtax. The newly decorated object newobj will inherit the object we have so far (either the original, or the one after the last decorator has been added), which is the object this. To do the inheritance part, let’s use the temporary constructor pattern from the previous chapter. We also set the uber property of newobj so the children have access to the parent. Then we copy all the extra properties from the decorator to the newly decorated object newobj. At the end, newobj is returned and, in our concrete usage example, it becomes the new updated sale object:
    Sale.prototype.decorate = function (decorator) {
    	var F = function () {},
    	overrides = this.constructor.decorators[decorator],
    	i, newobj;
    
    	F.prototype = this;
    	newobj = new F();
    	newobj.uber = F.prototype;
    	for (i in overrides) {
    		if (overrides.hasOwnProperty(i)) {
    			newobj[i] = overrides[i];
    		}
    	}
    	return newobj;
    };
    
     
  • Strategy
       The strategy pattern enables you to select algorithms at runtime. The clients of your code can work with the same interface but pick from a number of available algorithms to handle their specific task depending on the context of what they are trying to do. An example of using the strategy pattern would be solving the problem of form validation.You can create one validator object with a validate() method. This is the method that will be called regardless of the concrete type of form and will always return the same result—a list of data that didn’t validate and any error messages.
       But depending on the concrete form and the data to be validated, the clients of your validator may choose different types of checks. Your validator picks the best strategy to handle the task and delegates the concrete data checks to the appropriate algorithm.

  • Façade
       The façade is a simple pattern; it provides only an alternative interface to an object. It’s a good design practice to keep your methods short and not have them handle too much work. Following this practice you’ll end up with a greater number of methods than if you have uber methods with lots of parameters. Sometimes two or more methods may commonly be called together. In such cases it makes sense to create another method that wraps the repeating method calls. For example, when handling browser events, you have the following methods: 

        • stopPropagation()
              Traps the event and doesn’t let it bubble up to the parent nodes
       
        • preventDefault()
              Doesn’t let the browser do the default action (for example, following a link or
               submitting a form)
     
       These are two separate methods with different purposes, and they should be kept separate, but at the same time, they are often called together. So instead of duplicating the two method calls all over the application, you can create a façade method that calls both of them:

    var myevent = {
    	// ...
    	stop: function (e) {
    		e.preventDefault();
    		e.stopPropagation();
    	}
    	// ...
    };
        The façade pattern is also suitable for browser scripting where the differences between the browsers can be hidden behind a façade. Continuing from the previous example, you can add the code that handles the differences in IE’s event API:
    var myevent = {
    	// ...
    	stop: function (e) {
    		// others
    		if (typeof e.preventDefault === "function") {
    			e.preventDefault();
    		}
    		if (typeof e.stopPropagation === "function") {
    			e.stopPropagation();
    		}
    		// IE
    		if (typeof e.returnValue === "boolean") {
    			e.returnValue = false;
    		}
    		if (typeof e.cancelBubble === "boolean") {
    			e.cancelBubble = true;
    		}
    	}
    	// ...
    };
    
     
  • Proxy
        In the proxy design pattern, one object acts as an interface to another object. It’s different from the façade pattern, where all you have is convenience methods that combine several other method calls. The proxy sits between the client of an object and the object itself and protects the access to that object.This pattern may look like overhead but it’s useful for performance purposes. The proxy serves as a guardian of the object (also called a “real subject”) and tries to have the real subject do as little work as possible.
        One example use would be something we can call lazy initialization. Imagine that initializing the real subject is expensive, and it happens that the client initializes it but never actually uses it. In this case the proxy can help by being the interface to the real subject. The proxy receives the initialization request but never passes it on until it’s clear that the real subject is actually used.

  • Mediator
        Applications—large and small—are made up of separate objects. All these objects need a way to communicate among themselves in a manner that doesn’t hurt maintenance and your ability to safely change a part of the application without breaking the rest of it. As the application grows, you add more and more objects. Then, during refactoring, objects are removed and rearranged. When objects know too much about each other and communicate directly (call each other’s methods and change properties) this leads to undesirable tight coupling. When objects are closely coupled, it’s not easy to change one object without affecting many others. Then even the simplest change in an application is no longer trivial, and it’s virtually impossible to estimate the time a change might take.
        The mediator pattern alleviates this situation promoting loose coupling and helping improve maintainability. In this pattern the independent objects (colleagues) do not communicate directly, but through a mediator object. When one of the colleagues changes state, it notifies the mediator, and the mediator communicates the change to any other colleagues that should know about it.

  • Observer
        The observer pattern is widely used in client-side JavaScript programming. All the browser events (mouseover, keypress, and so on) are examples of the pattern. Another name for it is also custom events, meaning events that you create programmatically, as opposed to the ones that the browser fires. Yet another name is subscriber/publisher pattern.
        The main motivation behind this pattern is to promote loose coupling. Instead of one object calling another object’s method, an object subscribes to another object’s specific activity and gets notified. The subscriber is also called observer, while the object being observed is called publisher or subject. The publisher notifies (calls) all the subscribers when an important event occurs and may often pass a message in the form of an event object.
分享到:
评论

相关推荐

Global site tag (gtag.js) - Google Analytics