js的new可以看成是一个代理模式的代理类。包裹了new 后面的函数
处理顺序为
1.创建一个function对象,并将prototype设置为传入函数
2.执行传入函数
3.判断传入函数返回值,如果为null,则返回第一步的function对象。
实现代码:
模拟一个new。封装在newInstance方法里。
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8">
<title>Insert title here</title>
<script type="text/javascript">
function Animal(name) {
this.name = name;
}
Animal.prototype.sayName = function() {
alert("My name is " + this.name);
}
function newInstance(fn) {
var Class = function() {};
Class.prototype = fn.prototype;
var slice = Array.prototype.slice;
var args = slice.call(arguments);
args.splice(0, 1);
var instance = new Class();
instance.constructor = fn;
var result = fn.apply(instance, args);
return (result != null) ? result : instance;
}
// 以上代码等同于new Animal("Jack")
var cat = newInstance(Animal, "Jack");
cat.sayName();
alert(cat instanceof Animal); // true
</script>
</head>
<body>
</body>
</html>