prototype属性,箭头函数没有prototype属性
对象的prototype属性是什么?有什么作用?
对象的prototype属性其实也是一个对象,它方便我们为当前对象添加属性和方法。
当然,不使用prototype也能为对象添加属性和方法,但是不用prototype会显得不是很友好,为什么这么说呢?
我以为对象添加方法为例,不用protoype属性添加方法是这样的:
var student1 = { name: “Jack”, socre: 88};
var student2 = { name: “Rose”, socre: 96};
function studentDetails() {
//代码
}
//为student1和student2添加方法
student1.logDetails = studentDetails;
student2.logDetails = studentDetails;
即使student1和student2的结构一样,但还是要为他们分别添加studentDetails方法。
而使用prototype就不用,它的代码是这样的。
function Student(n, s) {
this.name = n;
this.score = s;
}
//使用prototype添加方法。
Student.prototype.logDetails = function studentDetails() {
//代码
}
//下面三个对象都会有logDetails方法
Student student1;
Student student2;
Student student3;
上述代码是在秒秒学课程代码的基础上改进的,有空你可以去教程网站秒秒学看下js的课程。
js中哪些具有protype属性
1 原型法设计模式
在.Net中可以使用clone()来实现原型法
原型法的主要思想是,现在有1个类A,我想要创建一个类B,这个类是以A为原型的,并且能进行扩展。我们称B的原型为A。
2 javascript的方法可以分为三类:
a 类方法
b 对象方法
c 原型方法
例子:
function People(name)
{
this.name=name;
//对象方法
this.Introduce=function(){
alert("My name is "+this.name);
}
}
//类方法
People.Run=function(){
alert("I can run");
}
//原型方法
People.prototype.IntroduceChinese=function(){
alert("我的名字是"+this.name);
}
//测试
var p1=new People("Windking");
p1.Introduce();
People.Run();
p1.IntroduceChinese();
3 obj1.func.call(obj)方法
意思是将obj看成obj1,调用func方法
好了,下面一个一个问题解决:
prototype是什么含义?
javascript中的每个对象都有prototype属性,Javascript中对象的prototype属性的解释是:返回对象类型原型的引用。
A.prototype = new B();
理解prototype不应把它和继承混淆。A的prototype为B的一个实例,可以理解A将B中的方法和属性全部克隆了一遍。A能使用B的方法和属性。这里强调的是克隆而不是继承。可以出现这种情况:A的prototype是B的实例,同时B的prototype也是A的实例。
先看一个实验的例子:
function baseClass()
{
this.showMsg = function()
{
alert("baseClass::showMsg");
}
}
function extendClass()
{
}
extendClass.prototype = new baseClass();
var instance = new extendClass();
instance.showMsg(); // 显示baseClass::showMsg
我们首先定义了baseClass类,然后我们要定义extentClass,但是我们打算以baseClass的一个实例为原型,来克隆的extendClass也同时包含showMsg这个对象方法。
extendClass.prototype = new baseClass()就可以阅读为:extendClass是以baseClass的一个实例为原型克隆创建的。
constructor prototype属性是什么 有什么用
constructor是指一个函数的构造函数 是每一个函数都有的属性,如
function aa(){}
aa.constructor 是指Function 也是就function的构造函数
aa.prototype.constructor是指aa这个函数
prototype用途在于扩展类对象(在js里面类对象可以理解为是函数),比如:
function person( name ){ this.name = name; }
person.prototype.getName = function(){ return this.name }
每次当我们new一个 person 的时候,person的实例就会有getName的方法,一般我们用这个都是用于写一个组件
//code
var p = new person("hello"); p.getName();//hello