假设 汽车 是对象

那么汽车的 颜色、车重等 就是 属性

所有汽车都拥有同样的属性,但属性值因车而异。

汽车 启动,停止,倒车,都是 方法,但是方法会在不同时间被执行。

创建对象的两种方法

  • 直接从对象常量中创建对象
var myCar={
    model:"520d",
    speed:60,
    color:"red",
    brake:function(){this.speed-=10;},
    accel:function(){this.speed+=10;}
};
myCar.color="yellow";
myCar.brake();
  • 使用构造函数定义对象,并通过new将对象示例化
function Car (model,speed,color){
    this.model=model;
    this.speed=speed;
    this.color=color;
    this.brake=function(){
        this.speed-=10;
    }
    this.accel=function(){
        this.speed+=10;
    }
}

对象原型

所有 JavaScript 对象都从原型继承属性和方法。


function Person(first, last, age, eyecolor) {
  this.firstName = first;
  this.lastName = last;
  this.age = age;
  this.eyeColor = eyecolor;
}

var myFather = new Person("John", "Doe", 50, "blue");
var myMother = new Person("Sally", "Rally", 48, "green");

因为Person里面没有nationality所以我们并不能添加新的属性


Person.nationality = "English";

如果要添加nationality属性的话 需要在构造器里面添加


function Person(first, last, age, eyecolor) {
  this.firstName = first;
  this.lastName = last;
  this.age = age;
  this.eyeColor = eyecolor;
  this.nationality = "English";
}

prototype 继承

所有的 JavaScript 对象都会从一个 prototype(原型对象)中继承属性和方法:

Date 对象从 Date.prototype 继承。
Array 对象从 Array.prototype 继承。
Person 对象从 Person.prototype 继承。
所有 JavaScript 中的对象都是位于原型链顶端的 Object 的实例。

JavaScript 对象有一个指向一个原型对象的链。当试图访问一个对象的属性时,它不仅仅在该对象上搜寻,还会搜寻该对象的原型,以及该对象的原型的原型,依次层层向上搜索,直到找到一个名字匹配的属性或到达原型链的末尾。

Date 对象, Array 对象, 以及 Person 对象从 Object.prototype 继承。

添加属性和方法

有的时候我们想要在所有已经存在的对象添加新的属性或方法。

另外,有时候我们想要在对象的构造函数中添加属性或方法。

使用 prototype 属性就可以给对象的构造函数添加新的属性:


function Person(first, last, age, eyecolor) {
  this.firstName = first;
  this.lastName = last;
  this.age = age;
  this.eyeColor = eyecolor;
}

Person.prototype.nationality = "English";

当然我们也可以使用 prototype 属性就可以给对象的构造函数添加新的方法:


function Person(first, last, age, eyecolor) {
  this.firstName = first;
  this.lastName = last;
  this.age = age;
  this.eyeColor = eyecolor;
}

Person.prototype.name = function() {
  return this.firstName + " " + this.lastName;
};
最后修改:2022 年 03 月 08 日
如果觉得我的文章对你有用,请随意赞赏