函数声明与函数表达式
函数声明会在执行任何代码之前调用,函数表达式则是在代码执行到该表达式时才被执行。
这也是函数声明在代码块后面的情况下,在代码中也能调用该函数的原因,而函数表达式则会出现问题如:
alert(sum())
var sum = function(){
return 1;
}
这会报错,因为alert函数中的sum还未被定义。
函数内部的两个特殊对象this&&arguments
arguments除了保存函数传入的参数还会保存一个callee属性这个属性是一个指针指向拥有该arguments对象的函数这可应用在递归函数中的函数解耦。
this对象可以理解为该函数所执行的内部环境通过下面的代码解释
<script>
window.color ="red";
var o ={color:'black'};
function sya(){
return this.color;
}
console.log(window.sya());//red
o.sya=sya;
console.log(o.sya());//black
</script>
也即是this代表的是调用此对象。
扩展
<script>
window.color ="red";
var o ={color:'black'};
function sya(){
return this.color;
}
console.log(sya.call(window));red
console.log(sya.call(this));red
console.log(sya.call(o));black
</script>
对于函数的call,apply方法的使用即是将函数的运行时环境传给他相当于定向的绑定函数的this。
实现价格格式转换
var num ="1111999999.99";
var firstindex = num.indexOf(".");
var lastindex=firstindex;
var newnum=num.slice(firstindex+1);
var count =0;
while(firstindex>3){
firstindex=firstindex-3;
console.log(firstindex);
newnum=num.slice(firstindex,lastindex)+"."+newnum;
lastindex=firstindex;
count++;
}
newnum=num.slice(0,firstindex)+"."+newnum;
console.log(newnum);
console.log(count);