JavaScript强化教程 —— 对象创建模式

来源:互联网 发布:如何投诉淘宝小二 编辑:程序博客网 时间:2024/05/18 12:28
本文为 H5EDU 机构官方 HTML5培训 教程,主要介绍:JavaScript强化教程 —— 对象创建模式
 
介绍本篇主要是介绍创建对象方面的模式的下篇,利用各种技巧可以极大地避免了错误或者可以编写出非常精简的代码。模式:函数语法糖函数语法糖是为一个对象快速添加方法(函数)的扩展,这个主要是利用prototype的特性,代码比较简单,我们先来看一下实现代码:if (typeof Function.prototype.method !== "function") {    Function.prototype.method = function (name, implementation) {        this.prototype[name] = implementation;        return this;    };}扩展对象的时候,可以这么用:var Person = function (name) {    this.name = name;}.method('getName',            function () {                return this.name;            }).method('setName', function (name) {    this.name = name;    return this;});这样就给Person函数添加了getName和setName这2个方法,接下来我们来验证一下结果:var a = new Person('Adam');console.log(a.getName()); // 'Adam'console.log(a.setName('Eve').getName()); // 'Eve'模式7:对象常量对象常量是在一个对象提供set,get,ifDefined各种方法的体现,而且对于set的方法只会保留最先设置的对象,后期再设置都是无效的,已达到别人无法重载的目的。实现代码如下:var constant = (function () {    var constants = {},        ownProp = Object.prototype.hasOwnProperty,    // 只允许设置这三种类型的值        allowed = {            string: 1,            number: 1,            boolean: 1        },        prefix = (Math.random() + "_").slice(2);    return {        // 设置名称为name的属性        set: function (name, value) {            if (this.isDefined(name)) {                return false;            }            if (!ownProp.call(allowed, typeof value)) {                return false;            }            constants[prefix + name] = value;            return true;        },        // 判断是否存在名称为name的属性        isDefined: function (name) {            return ownProp.call(constants, prefix + name);        },        // 获取名称为name的属性        get: function (name) {            if (this.isDefined(name)) {                return constants[prefix + name];            }            return null;        }    };} ());验证代码如下:// 检查是否存在console.log(constant.isDefined("maxwidth")); // false// 定义console.log(constant.set("maxwidth", 480)); // true// 重新检测console.log(constant.isDefined("maxwidth")); // true// 尝试重新定义console.log(constant.set("maxwidth", 320)); // false// 判断原先的定义是否还存在console.log(constant.get("maxwidth")); // 480
点击进入JS强化教程
0 0
原创粉丝点击