读书笔记:js设计模式
面向过程编程,面向对象编程和函数式编程
> 定义一个类
方法1:
function Anim(){
}
Anim.prototype.start = function(){ .. };
Anim.prototype.stop = function(){ .. };
或者
方法2:
function Anim(){ .. }
Anim.prototype = {
start: function(){.. },
stop: function(){ .. },
constructor: Anim
}
或者
方法3:
//从视觉上 整个类都在构造函数中定义
function Anim(){
...
if(!Anim.prototype.version){ //假设version是这个类 肯定具备的方法
Anim.prototype.version = '1.0';
Anim.prototype.start = function(){..};
Anim.prototype.stop = function(){...};
}
}
new Anim(); //第1次new的时候 完成对原型对象的定义
或者
方法4:
把向函数原型对象添加方法的过程定义为函数,如:
Function.prototype.method = function(name, fn){
this.prototype[name] = fn;
return this; //使可以链式调用
}
//与第1中方法没什么差别
function Anim(){...}
Anim.method('start', function(){..});
Anim.method('stop', function(){..});
> js的数据类型:原始类型 number string boolean null undefined, 引用类型 object ( array, function, regexp, math, number, string, boolean)
原始数据类型按值传递; 引用类型按引用传递(即引用地址)
数据类型转换:
toString();
parseInt();
parseFloat();
!!number
注意 js的隐式类型转换
> 函数是一等对象,可以存储在变量中,可以作为参数传递,可以作为函数返回值返回。
匿名函数可以激发一个作用域,无影响全局环境,实现数据封装
(function(){
var foo = 10;
var bar = 2;
alert(foo * bar);
})();
var result = (function(foo, bar){
return foo * bar
})(20, 10);
js具有函数作用域,js的作用域是词法作用域(函数运行在定义它的作用域中,而不是在调用它的作用域中)
匿名函数最有趣的用途是创建闭包。
用匿名函数创建闭包的例子:
var baz;
(function(){
var foo = 10;
var bar = 2;
baz = function(){
return foo * bar;
}
})();
baz(); //20
> js的对象都是易变的
/* class Person */
function Person(name, age){
this.name = name;
this.age = age;
}
Person.prototype = {
getName: function(){ reutn this.name },
getAge: function(){ return this.age },
constructor: Person
}
/* instantiate the class */
var alice = new Person('Alice', 19);
/* modify the class */
Person.prototype.geeting = function(){ return 'Hi,' + this.getName + '!'};
/* modify the instance */
alice.displayGeeting = function(){
alert(this.geeting());
}
js中,任何东西都能够在运行时修改
> 继承
原型式继承 和 类式继承 两种继承范型
在js中使用设计模式的好处:可维护性,性能,程序员间沟通;缺点:复杂性 性能(有的模式对性能有负面影响,有的能提高性能)
-----------------------------------
接口
-----------------------------------
接口:提供了一种说明一个对象应该具有什么方法的手段
假设一批对象实现了相同的接口,那么即使他们彼此不相关都可以被同样对待
如: 一批对象都实现了 comparable接口, 那么就可以调用 obj.compare(obj2);
接口可以告诉程序员一个类实现了哪些方法,接口说明了一个类具有哪些特性和操作
> js中的模仿接口的方法: 注释法,属性检查法,鸭式辨型
1.注释法:
/*
interface Composite{
function add(child);
function remove(child);
function getChild(index);
}
interface FormItem{
function save();
}
*/
var CompositeForm = function(id, method, action){//implements Composite, FormItem
...
};
//implement the Composite interface
CompositeForm.prototype.add = function(child){ .. };
CompositeForm.prototype.remove = function(child){ .. };
CompositeForm.prototype.getChild = function(index){ ..};
//implement the FormItem interface
CompositeForm.prototype.save = function(){...};
依靠程序员自觉遵守接口约定,不影响执行性能;但是没有错误提示
2.属性检查法:
/*
interface Composite{
function add(child);
function remove(child);
function getChild(index);
}
interface FormItem{
function save();
}
*/
var CompositeForm = function(id, method, action){
this.implementsInterfaces = ['Composite', 'FormItem'];//自称实现了哪些接口
...
}
function addForm(formInstance){// 调用实例的一个方法
if(!implements(formInstance,'Composite', 'FormItem')){//检查实例是否实现了指定的接口
throw new Error('instance do not implement the required interfaces');
}
...
}
//检查所需接口是否在实例对象自称实现的接口数组中能找到
~~ 检查传入的接口名,是否都在自称实现的接口数组中能找到
function implements(object){
for(var i=1; i<arguments.length; i++){ //遍历传入的接口
var interfaceName = argument[i];
var interfaceFound = false;
for(var j = 0; j < object.implementsInterfaces.length; j++){
if(object.implementsInterfaces[j] == interfaceName){
interfaceFound = true;
break;
}
}
if(!interfaceFound) {return false;}
}
return true; //没有中途退出 即所有接口都能找到
}
3.鸭式辨型:走路嘎嘎叫的就是鸭子
如果对象具有与接口定义的方法同名的所有方法,就认为它实现了这个接口
/* class Interface */
var Composite = new Interface('Composite',['add', 'remove', 'getChild']);
var FormItem = new Interface('FormItem',['save']);
//class CompositeForm
var CompositeForm = function(id, method, action){
...
}
function addForm(formInstance){
ensureImplements(formInstance, Composite, FormItem);
...
}
保证类真正实现了接口定义的方法,缺点:类没有声明自己实现了哪些接口
比较好的方法是结合注释法 + 鸭式辨型 如:
// Interfaces
var Composite = new Interface('Composite',['add', 'remove', 'getChild']);
var FormItem = new Interface('FormItem',['save']);
//class CompositeForm
var CompositeForm = function(id, method, action){ //implements Composite, FormItem
...
}
function addForm(formInstance){
ensureImplements(formInstance, Composite, FormItem);
...
}
/** class Interface **/
function Interface(name, methods){
if(arguments.length !== 2){
throw new Error('expect 2 arguments');
}
this.name = name;
this.methods = [];
if(methods.constructor !== Array){ throw new Error('expect an array for methods param')}
for(var i =0, len=methods.length; i<len; i++){
if(typeof methods[i] !=='string'){
throw new Error('expect string value');
}
this.methods.push(methods[i]);
}
}
/** ensureImplements method **/
function ensureImplements(object){
if(arguments.length < 2){ throw new Error('expect arguments at least 2'); }
for(var i=1, len=arguments.length; i<len; i++){
var interface = arguments[i];//遍历接口
if(interface.constructor !== Interface){
throw new Error('expect this argument to be Interface instance');
}
for(var j=0,mLen=interface.methods.length; j<mLen; j++){//遍历接口的方法
var method = interface.methods[j];
if(!object[method] || typeof object[method] !=='function'){
//若object没有跟接口方法同名的方法 则抛出异常
throw new Error('not the method:'+method);
}
}
}
}
接口降低了对象间的耦合度,提高了代码的灵活性,不要求对象间有继承关系,只要它们实现了同样的接口,就可以同等对待。
接口记载着api,可作为程序员交流的工具
应用场景:对外部提供的服务api如搜索 地图 邮件等,创建一个Interface对象,对接收到每个对象做接口检查,如:
var DynamicMap = new Interface('DynamicMap',['centerOnPoint','zoom','draw']);
function displayRoute(mapInstance){//自己用到的实例方法做成接口,保证传入的实例确实有这些方法
ensureImplements(mapInstance, DynamicMap);
mapInstance.centerOnPoint(12,34);
mapInstance.zoom(3);
mapInstance.draw();
...
}
是否需要使用接口做检查,取决于项目的大小,和做检查的必要性。
对传入对象做接口检查(是否实现某个接口)比做类检查(是否某个类),要有保证和灵活一点。
依赖于接口的设计模式
工厂模式、组合模式、装饰者模式、命令模式
>> 封装和信息隐藏
为对象创建私有成员是面向对象语言最基本和最有用的特性之一。封装是面向对象的基石。
js中的封装是通过闭包来实现的。
信息隐藏有助于减轻功能模块间的依赖度,只需要获得结果,不需要知道具体的内部实现。
封装:对对象内部数据和实现细节的隐藏,许多面向对象语言用关键字声明 该属性或方法为隐藏的(私有的), JAVA中private
,js中用闭包
封装:隐藏对象内部的数据和实现细节,只能用已定义的方法访问对象的数据。
>> 创建对象的基本模式
> 门户大开型对象 (对象的所有属性都是公共成员)
var Book = function(isbn, title, author){
if(isbn == undefined) throw new Error('isbn is required'); //没检查isbn是否正确,可能影响数据库检索和display图书信息
//to => if(!this.checkIsbn(isbn)) throw new Error('isbn is invalid');
this.isbn = isbn;
this.title = title || 'no title specified';
this.author = author || 'no author specified';
}
Book.prototype.display = function(){
... //生成显示图书信息的元素
}
Book.prototype.checkIsbn = function(){
...
}
---------
改为:只能通过getter,setter访问门户大开型对象的属性
var Publication = new Interface('Publication',['getIsbn','setIsbn','getTitle','setTitle','getAuthor', 'setAuthor','display']);
var Book = function(isbn, title, author){
this.setIsbn(isbn);
this.setTitle(title);
this.setAuthor(author);
}
Book.prototype = {
constructor: Book,
getIsbn: function(){return this.isbn},
setIsbn: function(isbn){ if(!this.checkIsbn(isbn) ){ throw new Error('invalid isbn')}else{ this.isbn = isbn } },
getTitle: function(){ return this.title},
setTitle:function(title){ return this.title = title || 'no specified title'},
getAuthor: function(){ return this.author},
setAuthor:function(Author){ return this.author = author || 'no specified Author'},
display: function(){...},
checkIsbn: function(){..}
}
但是
book = new Book('0-234-234-034-9','something in life', 'kitty');
book.isbn = '0-000-000-000-2'; //实例对象的属性还是可以任意修改的
优点:简单,易于理解
缺点:所有属性和方法公开 无法保护内部数据,getter,setter增加代码量
> 用命名规范区别私有成员 ( 属性名加_前缀表明其为私有,如:_name = 'kitty book' )
var Book = function(isbn, title, author){
this.setIsbn(isbn);
this.setTitle(title);
this.setAuthor(author);
}
Book.prototype = {
constructor: Book,
getIsbn: function(){return this._isbn},
setIsbn: function(isbn){ if(!this.checkIsbn(isbn) ){ throw new Error('invalid isbn')}else{ this._isbn = isbn } },
getTitle: function(){ return this._title},
setTitle:function(title){ return this._title = title || 'no specified title'},
getAuthor: function(){ return this._author},
setAuthor:function(Author){ return this._author = author || 'no specified Author'},
display: function(){...},
checkIsbn: function(){..}
}
> 作用域 嵌套函数和闭包
js只有函数作用域,而且是词法作用域,函数是运行在定义它们的作用域,而不是调用它们的作用域的。
返回一个内嵌函数是创建闭包的常用方法。
var Book = function(newIsbn, newTitle, newAuthor){// implements Publication
var isbn, title, author; //私有属性
function checkIsbn(isbn){...} //私有方法
this.getIsbn = function(){ return isbn }; //特权方法
this.setIsbn = function(newIsbn){ if(checkIsbn(newIsbn)) isbn = newIsbn; };//特权方法
this.getTitle = ..
this.setTitle = ..
this.getAuthor = ..
this.setAuthor = ..
//初始化对象私有数据
this.setIsbn(newIsbn);
this.setTitle(newTitle);
this.setAuthor(newAuthor);
}
Book.prototype = {
construcor: Book,
display: function(){..} //公共方法,非特权方法
}
读书笔记:js设计模式的更多相关文章
- 读书笔记 - js高级程序设计 - 第十五章 使用Canvas绘图
读书笔记 - js高级程序设计 - 第十三章 事件 canvas 具备绘图能力的2D上下文 及文本API 很多浏览器对WebGL的3D上下文支持还不够好 有时候即使浏览器支持,操作系统如果缺缺 ...
- 读书笔记-js
定义描述类名或者方法名的注解:ClassOrMethodFullName.java [写一个js方法] 1 2 3 function alertdemo() { // }; function + 方法 ...
- 读书笔记-常用设计模式之MVC
1.MVC(Model-View-Controller,模型-视图-控制器)模式是相当古老的设计模式之一,它最早出现在SmallTalk语言中.MVC模式是一种复合设计模式,由“观察者”(Observ ...
- Design Pattern Explained 读书笔记二——设计模式序言
设计模式的由来: 20 世纪 90 年代初,一些聪明的开发者偶然接触到 Alexander(Christopher Alexander 的建筑师) 有关模式的工作.他们非常想知道,在建筑学成立的理论, ...
- 读书笔记 - js高级程序设计 - 第十章 DOM
文档元素 是文档的最外层元素,在Html页面中,文档元素始终都是<html>元素 在xml中,任何元素都可以是文档元素 Node类型 Node.ELEMENT_NODE 元素 Node ...
- 读书笔记 - js高级程序设计 - 第八章 BOM
BOM的核心对象是window 它表示浏览器的一个实例,在浏览器中,window对象有双重角色,它既是通过js访问浏览器窗口的一个接口,又是ECMAScript规定的Global对象,这意味着在网 ...
- 读书笔记 - js高级程序设计 - 第五章 引用类型
引用类型 和 类 不是一个概念 用typeof来检测属性是否存在 typeof args.name == "string" 需要实验 访问属性的方法 .号和[] 一般情况下要 ...
- [读书笔记] JavaScript设计模式: 单例模式
单例模式:保证一个类只有一个实例,并提供一个可以访问它的全局访问点. 一种简单.方便的写法就是用一个变量来标识当前类是否已经创建过对象,如果有,则返回已经创建好的对象,否则创建一个新对象,并将其返回. ...
- 读书笔记-Java设计模式
本文来自http://blog.csdn.net/liuxian13183/ ,引用必须注明出处! Java的封装性很好,拿访问控制符来讲,没有权限的类或方法是不能访问的.如public,都可访问:p ...
随机推荐
- VS2013 快捷键 与 RESHARPER 冲突
1.VS设置工具-->选项-->环境-->键盘-->重置 2.RESHARPER -->Options-->Environment → Keyboard & ...
- c++ 调用DLL函数,出现错误
c++ 调用DLL函数,出现错误 Run-Time Check Failure #0 - The value of ESP was not properly saved across a funct ...
- Oracle学习之常见问题处理
转自:http://blog.csdn.net/liusong0605/article/details/16349121 安装完oracle并启动服务后,通过sqlPlus无法登录,出现如下错误: s ...
- 创建XML文件
//创建XML文件 XmlDocument xmldoc = new XmlDocument(); XmlText xmltext; ...
- 常用Java片段
1. 字符串与整型的相互转换 String a = String.valueOf(2); //integer to numeric string int i = Integer.parseInt( ...
- php study plan personal
Php study schedule personal: 1. php intro + upper : imooc2. video course: php100, houdunwang (togeth ...
- codeforces 650D. Zip-line 线段树
题目链接 题目的意思很简单, 就是给你n个数, m个询问, 每次询问修改某一个位置的值, 然后问你修改完之后数列的lis是多少. 询问独立. 对于原数列, 我们将它离散化, 令dp1[i]为以i为结尾 ...
- Window下 Qt 编译MySQL驱动(居然用到了动态库格式转换工具)
一步步在Window下开发Qt 今天开始安装MySQL,看了些关于MySQL安装的博文,方法大致相同,但是遇到的细节问题各有不同,或者没有讲全面,下面来说说个人的安装过程及遇到的问题. 1.首先下载, ...
- 51nod 1237 最大公约数之和 V3(杜教筛)
[题目链接] https://www.51nod.com/onlineJudge/questionCode.html#!problemId=1237 [题目大意] 求[1,n][1,n]最大公约数之和 ...
- webform 不实用office控件导出excel StringBuilder 类型拼接字符串表格导出excel
StringBuilder sb = new StringBuilder(); sb.AppendLine("<meta http-equiv=\"Content-Type\ ...