我一直在 jQuery 中实现一种发布者/订阅者设计模式。我基本上是使用作为我页面上的组件的 CoffeeScript 在 Javascript 中构建类。即导航、数据列表等。
我没有让 DOM 元素触发事件,而是有这些类的实例,它们在自身上使用触发器来发送自定义事件。然后这些实例可以互相监听,并可以根据彼此行为的变化相应地更新它们拥有的 DOM 元素!
我知道这是可行的,因为我的一个组件可以正确调度自定义事件。然而,我遇到了障碍。我已经创建了另一个组件,对于我的生活,我无法弄清楚为什么它的事件没有被触发。
这是我的类的实现:
window.List = (function() {
List = function(element, settings) {
var _a, _b, _c;
this.list = $(element);
this.settings = jQuery.extend(List.DEFAULTS, settings);
this.links = this.list.find(this.settings.link_selector);
this.links.selectable();
_b = [SelectableEvent.COMPLETED, SelectableEvent.UNDONE, SelectableEvent.SELECTED, SelectableEvent.DESELECTED];
for (_a = 0, _c = _b.length; _a < _c; _a++) {
(function() {
var event_type = _b[_a];
return this.links.bind(event_type, __bind(function(event, selectable_event) {
return this.dispatch(selectable_event);
}, this));
}).call(this);
}
return this;
};
List.DEFAULTS = {
link_selector: "a",
completed_selector: ".completed"
};
List.prototype.change = function(mode, previous_mode) {
if (mode !== this.mode) {
this.mode = mode;
if (previous_mode) {
this.list.removeClass(previous_mode);
}
return this.list.addClass(this.mode);
}
};
List.prototype.length = function() {
return this.links.length;
};
List.prototype.remaining = function() {
return this.length() - this.list.find(this.settings.completed_selector).length;
};
List.prototype.dispatch = function(selectable_event) {
$(this).trigger(selectable_event.type, selectable_event);
return alert(selectable_event.type);
};
return List;
}).call(this);
注意:
List.prototype.dispatch = function(selectable_event) {
$(this).trigger(selectable_event.type, selectable_event);
return alert(selectable_event.type);
};
此代码被正确触发并通过警报返回预期的事件类型。但在警报之前,预计它会触发自身的自定义事件。这是我遇到问题的地方。
$(document).ready(function() {
var list_change_handler, todo_list;
todo_list = new List("ul.tasks");
list_change_handler = function(event, selectable_event) {
return alert("Hurray!");
};
$(todo_list).bind(SelectableEvent.COMPLETED, list_change_handler);
$(todo_list).bind(SelectableEvent.UNDONE, list_change_handler);
$(todo_list).bind(SelectableEvent.SELECTED, list_change_handler);
$(todo_list).bind(SelectableEvent.DESELECTED, list_change_handler);
}
您在这里看到警报“Hurray”是我想要触发的,但不幸的是我在这里没有运气。具有讽刺意味的是,我对另一个类执行了完全相同的操作,该类以相同的方式实现了分派自定义事件,并且侦听器很好地接收了它。关于为什么这不起作用的任何想法?
更新:
根据评论中的讨论,看起来在控制台中记录“this”会返回代表该类的 JS 对象。但是记录 "$(this)" 返回一个空的 jQuery 对象,因此触发器永远不会被触发。当“this”准确地返回类的实例时,为什么 $(this) 会为空?