0
我有一個關於綁定函數細節的問題。這裏是例子:關於jQuery綁定函數的用法
// Parent class
function Widget(width, height) {
this.width = width || 50;
this.height = height || 50;
this.$elem = null;
}
Widget.prototype.render = function($where) {
if (this.$elem) {
this.$elem.css({
width: this.width + "px",
height: this.height + "px"
}).appendTo($where);
}
};
// Child class
function Button(width, height, label) {
// "super" constructor call
Widget.call(this, width, height);
this.label = label || "Default";
this.$elem = $("<button>").text(this.label);
}
// make `Button` "inherit" from `Widget`
Button.prototype = Object.create(Widget.prototype);
// override base "inherited" `render(..)`
Button.prototype.render = function($where) {
// "super" call
Widget.prototype.render.call(this, $where);
this.$elem.click(this.onClick.bind(this));
};
Button.prototype.onClick = function(evt) {
console.log("Button '" + this.label + "' clicked!");
};
$(document).ready(function() {
var $body = $(document.body);
var btn1 = new Button(125, 30, "Hello");
var btn2 = new Button(150, 40, "World");
btn1.render($body);
btn2.render($body);
});
上的代碼片斷是從書[你不知道JS:此&對象原型],問題是代碼:
this.$elem.click(this.onClick.bind(this));
由於$elem
被分配給按鈕,但爲什麼this.onClick.bind(this)
可以是 綁定到Button.prototype.onClick的點擊事件。這個語法讓我迷惑,,有沒有人知道確切的原因?
非常感謝。