问:在js里面被<code>new</code>之后的函数和普通的函数有何区别吗?
1. New命令#
1.1 基本用法
<code>new</code>命令的作用,就是执行<code>构造函数</code>,返回一个<code>实例对象</code>。
var Person = function(name){
this.name = name;
}
var p1 = new Person("张三");
var p2 = new Person("李四");
//p1和p2都是Person这个类(构造函数)的实例
p1.name//张三
p2.name//李
如果不用<code>new</code>将函数赋值给一个变量,会如何呢?
var Person = function(name){
this.name = name;
}
var p1 = Person("张三");
p1//undefined
name//张三
var p2 = Person("李四");
p2//unddefined
name//李四
var Animate = function(type){
'use strict';
this.type = type
}
var dog = new Animate("dog");
//TypeError: Cannot set property 'type ' of undefined
//因为'use strict 是严格模式
上面代码分别调用两次<code>Person</code>函数,但由于<code>Person</code>函数没有返回值,所以,<code>p1,p2</code>都为<code>undefined</code>。<code>this</code>表示当前作用域,由于没有<code>new</code>,当前的作用域仍然是全局的。所以,最后<code>name</code>为"李四"
1.2 new原理
创建一个空对象,作为将要返回的对象实例
将这个空对象的原型,指向构造函数的<code>prototype</code>属性
将这个空对象赋值给函数内部的<code>this</code>关键字
开始执行构造函数内部的代码
如果构造函数内部有<code>return</code>语句,而且<code>return</code>后面跟着一个对象,<code>new</code>命令会返回<code>return</code>语句指定的对象;否则,就会不管<code>return</code>语句,返回<code>this</code>对象
var Vehicle = function () {
this.price = 1000;
return 1000;
};
(new Vehicle()) === 1000
//上面代码中,构造函数Vehicle的return语句返回一个数值。
//这时,new命令就会忽略这个return语句,返回“构造”后的this对象
但是,如果<code>return</code>语句返回的是一个跟<code>this</code>无关的新对象,<code>new</code>命令会返回这个新对象,而不是<code>this</code>对象。这一点需要特别引起注意。
var Vehicle = function (){
this.price = 1000;
return { price: 2000 };
};
(new Vehicle()).price// 2000
另一方面,如果对普通函数(内部没有<code>this</code>关键字的函数)使用<code>new</code>命令,则会返回一个空对象。
function getMessage() {
return 'this is a message';
}
var msg = new getMessage();
msg // {}
typeof msg // "Object"
<code>new</code>命令简化的流程
function Persion(name){
this.name = name;
}
function _new(/* 构造函数 */ constructor, /* 构造函数参数 */ param1) {
// 将 arguments 对象转为数组
var args = [].slice.call(arguments);
// 取出构造函数
var constructor = args.shift();
// 创建一个空对象,继承构造函数的 prototype 属性
var context = Object.create(constructor.prototype);
// 执行构造函数
var result = constructor.apply(context, args);
// 如果返回结果是对象,就直接返回,则返回 context 对象
return (typeof result === 'object' && result != null) ? result : context;
}
var p = _new(Persion, "xxx");
console.info(p.name); //xxx
2. Object对象与继承#
2.1 Object.getOwnPropertyNames()
<code>Object.getOwnPropertyNames</code>方法返回一个数组,成员是对象本身的所有属性的键名,不包含继承的属性键名。
Object.getOwnPropertyNames(Date);
//["length", "name", "arguments", "caller", "prototype", "now", "parse", "UTC"]
var a = {};
Object.getOwnPropertyNames(a);
//[]
2.2 Object.prototype.hasOwnProperty()
对象实例的<code>hasOwnProperty</code>方法返回一个布尔值,用于判断某个属性定义在对象自身,还是定义在原型链上
Date.hasOwnProperty('length')// true
Date.hasOwnProperty('toString')// false
2.3 in 运算符和 for…in 循环
in运算符返回一个布尔值,表示一个对象是否具有某个属性。它不区分该属性是对象自身的属性,还是继承的属性。
'length' in Date // true
'toString' in Date // true