先看一下json(javascript object notation)对象,json是一种脚本操作时常用的数据交换格式对象,相对于xml来说json是一种比较轻量级的格式,在一些intelligence的ide中还可以方便的通过点操作json对象中的成员。
json是一种键/值对方式来描述内部成员的格式,其内部成员可以是几乎任何一种类型的对象,当然也可以是方法、类、数组,也可以是另外一个json对象。
var student = {
name: 张三,
age: 20,
hobby: 读书,
books: [
{
bookname : c# ,
price : 70
},
{
bookname : java ,
price : 70
},
{
bookname : javascript ,
price : 80
}
]
};
上面代码用json对象描述了一个学生的信息,他有姓名、年龄、爱好、书集等。在访问该学生对象时,可以通过student变量来操作学生的信息。
var stuinfo = 姓名: + student.name +
,年龄: + student.age +
,爱好: + student.hobby +
,拥有的书: +
student.books[0].bookname + 、 +
student.books[1].bookname + 、 +
student.books[2].bookname;
alert(stuinfo);
这样的操作方式风格和c#也非常相像。以上的代码是静态的构造出了学生对象,学生对象的结构就确定了。在其它的编程语言中一般对象结构一旦确定就不能很方便的进行修改,但是在javascript中的对象结构也可以方便的进行改动。下面为student对象添加一个introduce方法来做自我介绍。
student.introduce = function() {
var stuinfo = 姓名: + this.name +
,年龄: + this.age +
,爱好: + this.hobby +
,拥有的书: +
this.books[0].bookname + 、 +
this.books[1].bookname + 、 +
this.books[2].bookname;
alert(stuinfo)
};
student.introduce();
student对象原来并没有introduce方法,第一次为student.introduce赋值会在student对象中创建一个新的成员,后面如果再为student.introduce赋值则会覆盖上一次所赋的值。当然我们这的值是一个function。也可以用类似索引的方式来添加成员。
student[introduce] = function() {
……
};
student.introduce();
当然添加的成员也可以删除掉。删除掉之后则成为undefined,再访问该成员时则不支持。
delete student.introduce;
student.introduce();
javascript是弱类型的语言,有的时候即使有ide的辅助也不能很清楚知道当前所操作对象的成员,可能会需要对当前对象的属性进行查询,这时候我们可以使用for循环来完成。
for (var key in student) {
document.write(key + : + student[key] +
);
};
对student对象进行遍历时,是对student的成员进行遍历,这里的key则对应student对象中的每一个成员属性名称。student[key]则是对student某个成员进行访问。如果想调用student的introduce方法也可以用索引的方式,student[“introduce”]()。
上面简单的聊了聊json对象,总的来说json是很方便的数据打包方式。javascript中的其它的对象,不论是浏览器对象,还是自定义类型所创建的对象或者是数组等等,它们也都具有json对象类似的操作方式。我们可以直接用索引的方式为window添加成员,我们也可以为数组添加字符串形式的下标把它当成hashtable来操作。
window[hi] = function() {
alert(helloworld!);
};
window[hi]();
var array = [];
array[一] = a;
array[二] = b;
array[三] = c;
array[四] = d;
alert(array[一] + array[二] + array[三] + array[四]);
把数组当成hashtable来操作时,要注意,并非是为数组添加数组元素,而是在数组对象中添加新的属性成员。而且如果for(var key in array)循环遍历数组对象的话,key得到的却不是array对象的属性名称,而是数组元素的索引号。
下一次聊聊function。