- Object类型
- Array类型
- Date类型
- RegExp类型
- Function类型
- 没有重载(深入理解)
- 函数声明与函数表达式
- 作为值的函数
- 函数内部属性
- 函数属性和方法
- length和prototype
- apply() 和call()
- bind()
- toLocaleString()、toString()和valueOf()
- 基本包装类型
- 单体内置对象
- 小节
Function类型
函数的属性和方法
/** * 函数的属性和方法 * 在ECMAScript 中函数是一个对象,因此有属性和方法。 * 每个函数都包含两个属性:length和prototype。 */
length和prototype
/** * * length:表示希望接收的命名参数的个数 * prototype:保存函数实例和方法。 例如toString()和valueOf()等方法实际上 * 都保存在prototype名下,只不过通过对象的实例访问罢了。 * prototype 在创建自定义类型(java中的类),和实现继承时作用巨大。(第6章详细介绍) * ECMAScript5中 prototype属性不可枚举,无法用for-in发现 */
/** * length example */
function f1(param1){
}
function f2(param1,param2){
}
function f3(){
}
console.log('f1.length='+f1.length+',f2.legnth='+f2.length+',f3='+f3.length);
apply() 和call()
/** * apply() * call() * 用途:在特定作用域中调用,用于设置函数体内this对象的值 */
/** * apply(param1,param2) * param1 在其中运行函数的作用域 * param2 参数数组 */
function sum (num1,num2) {
return num1+num2;
}
function callSum1 (num1,num2) {
return sum.apply(this,arguments)
}
function callSum2 (num1,num2) {
return sum.apply(this,[num1,num2])
}
console.log(callSum1(10,10))
console.log(callSum2(10,10))
/** * call() 与 apply 作用相同,区别仅在于接收参数的方式不同 */
function callSum (num1,num2) {
return sum.call(this,num1,num2)
}
console.log(callSum(10,10))
/** * 如何选择apply or call (给函数传参数方便就选哪个) * 如传入arguments 或一个数组 用apply 方便 * 否则用call方便 * 不传参数都一样 */
/**apply and call 真正强大的地方是:能够扩充函数运行的作用域 * */
window.color='red';
window.color2='ssss';
var o={
color:'blue'
}
function sayColor () {
console.log(this.color+','+this.color2)
}
sayColor();
sayColor.call(this)
sayColor.call(window)
sayColor.call(o)
/** * 好处:使用call() apply()来扩充作用域 ,对象不需要与方法有任何耦合关系。 */
bind()
/** * bind() 这个方法会创建一个函数的实例,其this值会被绑定到 * 传给bind()函数的值 * 这种技巧有点参考JavaScripts高级程序设计22章 */
var objectSayColor=sayColor.bind(o);
objectSayColor()
toLocaleString()、toString()和valueOf()
/** * 每个函数继承的toLocaleString()和toString()方法始终都返回函数 * 的代码,返回代码格式因浏览器而异,所以返回的信息(代码)仅 * 适用于调试。 * 另外一个继承的valueOf()方法同样也只返回函数的代码。 */