我对实际做的原型感到困惑。我正在学习HTML画布,对于其中一个例子,它使用prototype来声明draw方法。但是,使用原型与简单地将它放在构造函数本身之间的区别是什么?
这本书不是这个例子:
function Ball (radius, color) {
if (radius === undefined) { radius = 40; }
if (color === undefined) { color = "#ff0000"; }
this.x = 0;
this.y = 0;
this.radius = radius;
this.rotation = 0;
this.scaleX = 1;
this.scaleY = 1;
this.color = utils.parseColor(color);
this.lineWidth = 1;
}
Ball.prototype.draw = function (context) {
context.save();
context.translate(this.x, this.y);
context.rotate(this.rotation);
context.scale(this.scaleX, this.scaleY);
context.lineWidth = this.lineWidth;
context.fillStyle = this.color;
context.beginPath();
//x, y, radius, start_angle, end_angle, anti-clockwise
context.arc(0, 0, this.radius, 0, (Math.PI * 2), true);
context.closePath();
context.fill();
if (this.lineWidth > 0) {
context.stroke();
}
context.restore();
};
与将其放入?:
相同function Ball(radius, color){
...
this.draw = function (context) {
context.save();
context.translate(this.x, this.y);
context.rotate(this.rotation);
context.scale(this.scaleX, this.scaleY);
context.lineWidth = this.lineWidth;
context.fillStyle = this.color;
context.beginPath();
//x, y, radius, start_angle, end_angle, anti-clockwise
context.arc(0, 0, this.radius, 0, (Math.PI * 2), true);
context.closePath();
context.fill();
if (this.lineWidth > 0) {
context.stroke();
}
context.restore();
};
}
答案 0 :(得分:2)
prototype
是由将其视为prototype
的所有其他对象共享的对象,这导致所有实例共享动态添加到prototype
的方法。
function ClassA(){
this.sayHello = function(){
return "hello!";
}
}
var instanceA = new ClassA();
instanceA.sayHello();//return "hello!";
//add a method to instanceA
instanceA.sayBye = function(){ return "Bye!"; }
var instanceB = new ClassA();
instanceB.sayBye(); //error, sayBye is not a method of instanceB.
//But, this really works
ClassA.prototype.sayBye = function(){ return "Bye!"; }
并且,由于所有实例共享单个prototype
,因此所有方法仅保留在内存中的一个位置。在第二个实现中,每个实例都有自己的方法,这会导致使用大量内存。
保持方法超出Class的定义会使代码更加干净和可读,尽管这不是一个有力的证据。
使用原型,开发人员可以更轻松地编写OOP样式的代码。
function ClassB(){
}
ClassB.prototype = new ClassA();
// The equivalent approach may be this
function ClassB(){
ClassA.apply(this);
}
这两种方法都可以做同样的工作,所以选择你喜欢的任何一种。
答案 1 :(得分:1)
没有太大的区别。主要区别在于,通过原型创建的方法无法访问对象的私有成员。
function Ball (radius, color) {
if (radius === undefined) { radius = 40; }
if (color === undefined) { color = "#ff0000"; }
this.x = 0;
this.y = 0;
this.radius = radius;
this.rotation = 0;
this.scaleX = 1;
this.scaleY = 1;
this.color = utils.parseColor(color);
this.lineWidth = 1;
var privateVar = 0;
function privateFunction() {
// anything
}
}
Ball.prototype.draw = function() {
privateFunction(); // doesn't work.
privateVar = 2; // doesn't work
this.lineWidth = 2; // this will work.
};