如何在 JavaScript 中建立自訂物件
JavaScript 提供了多種建立自訂物件的方法。這裡有兩個不同的模型:
原型製作方式
原型模型是 JavaScript 原生的。它涉及使用建構函數的原型屬性為實例添加屬性和方法:
function Shape(x, y) { this.x = x; this.y = y; } Shape.prototype.toString = function() { return 'Shape at ' + this.x + ', ' + this.y; }; function Circle(x, y, r) { Shape.call(this, x, y); // Invoke base constructor this.r = r; } Circle.prototype = new Shape(); // Inherit prototype Circle.prototype.toString = function() { return 'Circular ' + Shape.prototype.toString.call(this) + ' with radius ' + this.r; };
優點:
缺點:
關閉方式
閉包模型透過使用閉包封裝特定於實例的資料和方法來避免繼承:
function Shape(x, y) { var that = this; this.x = x; this.y = y; this.toString = function() { return 'Shape at ' + that.x + ', ' + that.y; }; } function Circle(x, y, r) { var that = this; Shape.call(this, x, y); this.r = r; var _baseToString = this.toString; this.toString = function() { return 'Circular ' + _baseToString.call(that) + ' with radius ' + that.r; }; }; var mycircle = new Circle();
優點:
缺點:
以上是在 JavaScript 中建立自訂物件時如何選擇原型設計和閉包?的詳細內容。更多資訊請關注PHP中文網其他相關文章!