function Person(first, last, age, eye) {
this.firstName = first;
this.lastName = last;
this.age = age;
this.eyeColor = eye;
}
(对象构造器)看起来就是一个javascript的函数。其功能更像是python中的类。
//myFather 更像是python中类的实例化对象
//js中也称为对象
var myFather = new Person("Bill", "Gates", 62, "blue");
var myMother = new Person("Steve", "Jobs", 56, "green");
this 关键词
在 JavaScript 中,被称为 this 的事物是代码的“拥有者”。
this 的值,在对象中使用时,就是对象本身。
在构造器函数中,this 是没有值的。它是新对象的替代物。 当一个新对象被创建时,this 的值会成为这个新对象。
请注意 this 并不是变量。它是关键词。您无法改变 this 的值。
为对象添加属性
也就是说实例化的对象添加属性:
myFather.nationality = "English";
为对象添加方法
myFather.name = function () {
return this.firstName + " " + this.lastName;
};
这里还是跟python有这极大的区别。python中实例化对象的属性和方法必须提前在类中定义,而js中可以后期添加。
那么为(对象构造器)添加属性或者方法。也是跟python中相似。直接在(对象构造器)中添加。不能在外部添加。
例如:
Person.nationality = "English";//这样是不行的。
必须添加到构造器中:例如:
function Person(first, last, age, eyecolor) {
this.firstName = first;
this.lastName = last;
this.age = age;
this.eyeColor = eyecolor;
this.nationality = "English";
}
那么为构造器添加方法也是类是的。这里不举例了
那么真的不可以在外部添加或者说修改吗?
当然不是了,javascript中对象都是从原型继承属性和方法。
例如:Person 对象继承自 Person.prototype。
有时,您希望向所有给定类型的已有对象添加新属性(或方法)。
使用 prototype 属性
JavaScript prototype 属性允许您为对象构造器添加新属性:
实例
function Person(first, last, age, eyecolor) {
this.firstName = first;
this.lastName = last;
this.age = age;
this.eyeColor = eyecolor;
}
Person.prototype.nationality = "English";