JS 基礎篇(一):建立物件的四種方式

Madman0621發表於2019-02-15

一、宣告一個物件的語法

直接宣告一個物件:

var person1 = {
    name : "Jie",
    age: 23,
    say: function(){
        alert("Hi!,I'm " + this.name);
    }
};

person1.say(); //Hi,I'm Jie
複製程式碼

二、通過構造方法

function Person(){
    this.name = "Jie";
    this.age = 23;
    this.say = function(){
        alert("Hi!,I'm " + this.name);
    }
}
var person2 = new Person();

person2.say(); //Hi,I'm Jie
複製程式碼

三、使用Object()建構函式

使用Object()建構函式來建立一個空物件,然後為其賦值。

var person3 = new Object();
person3.name = "Jie";
person3.age = 23;
person3.say = function(){
    alert("Hi!,I'm " + this.name);
};

person3.say(); //Hi,I'm Jie
複製程式碼

四、使用create()方法

create()方法允許你基於現有物件建立新的物件例項。

var person4 = Object.create(person3);

person4.say(); //Hi,I'm Jie
複製程式碼

相關文章