//typeof操作符是用来检测给定的变量的数据类型 //比如: var message="hello world"; alert(typeof(message)) // "string" //typeof会返回下列字符串 /* "undefined" --如果这个值未定义 "boolean" --如果这个值是布尔类型 "string" --如果这个值是字符串类型 "number" --如果这个值是数值 "object" --如果这个值是对象或null "function" --如果这个值是函数 */ //instanceof运算符可以判断某个构造函数的prototype属性是否存在另外一个要检测的原型链上 /* 语法: object instanceof constructor 参数: object 要检测的对象 constructor 某个构造函数 描述: function C(){} function D(){} var o=new C(); o instanceof C; //true,因为 Object.getPrototypeOf(o)===C.prototype o instanceof D; //false,因为D.protorype不在o的原型链上 o instanceof Object;//true,因为Object.prototype.isPrototypeOf(o)返回true C.prototype instanceof Object;//true 同上 C.prototype={}; var o2=new C(); o2 instanceof C;//true o instanceof C;//false ,因为C.prototype指向了一个空对象,这个空对象不在o的原型链上 D.prototype=new C(); var o3=new D(); o3 instanceof D;//true o3 instanceof C;//true 需要注意的是,如果表达式obj instanceof Foo返回true,则并不意味着该表达式会永远返回ture, 因为Foo.prototype属性的值有可能会改变,改变之后的值很有可能不存在于obj的原型链上,这时原表达式的值就会成为false. 另外一种情况下原表达式的值也会改变,就是改变对象obj的原型链的情况, 虽然在目前的ES规范中,我们只能读取对象的原型而不能改变它,但借助于非标准的__proto__魔法属性, 是可以实现的.比如执行obj.__proto__ = {}之后,obj instanceof Foo就会返回false了. instanceof和多全局对象(多个frame或多个window之间的交互) 在浏览器中,我们的脚本可能需要在多个窗口之间进行交互.多个窗口意味着多个全局环境,不同的全局环境拥有不同的全局对象,从而拥有不同的内置类型构造函数. 这可能会引发一些问题.比如,表达式[] instanceof window.frames[0]. Array会返回false,因为 Array.prototype !== window.frames[0].Array.prototype, 因此你必须使用 Array.isArray(myObj)或者 Object.prototype.toString.call(myObj) === "[object Array]"来判断myObj是否是数组. */