1.对象是某个特定引用类型的实例。新对象是使用new操作符后跟一个构造函数来创建的。
创建Object实例两种方式:
Var person=new Object();
Person.name='Nichol';
Person.age=29;
Varperson={
Name:'Nichol',
Age:29
}
2.Array
数组的length属性不是只读的,通过设置这个属性,可以从数组的末位移除项或向数组中添加新项。
Var colors=['red','blue','green'];
Colors.length=2;
Alert(colors[2]);//undefined最后一项被移除
Colors[colors.length]='black';//在位置2添加一种颜色
Colors[colors.length]='brown';//在位置3添加一种颜色
A.栈方法
数组可以表现的像栈一样,栈是一种LIFO(后进先出)的数据结构,栈中项的插入(推入)和移除(弹出)只发生在栈的顶部,js为数组提供了push()和pop()方法,实现数组类似栈的行为。
Varcolors=["red","blue"];
Var cnt=colors.push("brown");
Alert(cnt);//3
Var item=colors.pop();
Alert(item);//brown
B.队列方法
队列的访问规则是FIFO(先进先出),shift()方法能够移除数组中的第一个项并返回该项,同时将数组长度减1.unshift()与shift()相反。
Unshift()和pop()方法可模拟队列,数组前端添加项,末端移除项。
3.函数Function
A.函数内部属性:在函数内部,有两个特殊的对象:arguments和this。arguments是一个类数组对象,包含传入函数中的所有参数,这个对象有个叫callee的属性,该属性是个指针,指向拥有这个arguments对象的函数。如下面阶乘:
Functionfactorial(num){
If(num<=1){return 1;}
Else{
Returnnum*arguments.callee(num-1);//return num*factorial(num-1) --以前用的
}
}
***函数的名字仅仅是一个包含指针的变量而已***
B.函数属性和方法
函数是对象,因此函数有属性和方法。每个函数都包含两个属性:length和prototype。lenght表示接收的参数个数。
Functionsum(num1,num2){
Return num1+num2;
}
Alert(sum.lenght);//2
每个函数都包含两个非继承而来的方法:apply()和call().这两个方法的用途都是在特定的作用域中调用函数,实际上等于设置函数体内this对象的值。
Apply('作用域this','参数数组arguments')
call('作用域this','参数arg1','参数arg2'...)
Functionsum(num1,num2){
Return num1+num2;
}
Function callsum1(num1,num2){
Return sum.apply(this,arguments);
}
Function callsum2(num1,num2){
Return sum.call(this,num1,num2);
}
Alert(callsum1(10,10));//20
***传递参数并非apply()和call()真正的用武之地;主要是能够扩充函数赖以运行的作用域。如:
Window.color="red";
Var o={color:"blue"};
Function sayColor(){
Alert(this.color);
}
sayColor();//red
sayColor.call(this);//red
sayColor.call(window);//red
sayColor.call(o);//blue