《悟透JavaScript》学习札记五之奇妙的对象

在JavaScript中只有object和function两种东西才有对象化的能力。

function Sing()
{
alert(Sing.author + ": " + Sing.poem);
};
Sing.author = "Kevin";
Sing.poem = "Have a nice day!";
Sing(); // output: Kevin: Have a nice day!

Sing.author = "Sam";
Sing.poem = "Good luck!";
Sing(); // output: Sam: Good luck!

上述代码中,Sing函数被定义后,有给Sing函数动态地增加了author和poem属性。从而可以更好的理解函数即对象的本质。

var anObject = {}; // 一个对象
anObject.aProperty = "Property of object"; // 对象的一个属性
anObject.aMethod = function(){ alert("Method of object");}; // 对象的一个方法

// 可以将对象当数组以属性名作为下标来访问属性
alert(anObject["aProperty"]); // output: Property of object

// 同上,以方法名作为下标
anObject["aMethod"](); // output: Method of object
// function 类似

以上代码说明,JavaScript中的对象和function既具有对象的特征也有数组的特征。注:数组是线性数据结构,一般有一定的规律,适合进行统一的批量迭代操作等,有点像波。而对象是离散数据结构,适合描述分散和个性话的东西,有点像粒子。从而,JavaScript中的对象和function具有波粒二象性。

你可能感兴趣的:(JavaScript)