JavaScript는 이벤트 바인딩 및 트리거링은 물론 이벤트 삭제도 요구하는 가장 간단한 이벤트 모델입니다.
var eventModel = { list: {}, bind: function () { var args = [].slice.call(arguments), type = args[0], handlers = args.slice(1); if (typeof type === 'string' && handlers.length > 0) { for (var i = 0; i < handlers.length; i++) { if (typeof handlers[i] === 'function') { if (!this.list[type]) { this.list[type] = []; } this.list[type].push(handlers[i]); } } } }, unbind: function () { var type = arguments[0], handlers = Array.prototype.slice.call(arguments, 1); if (typeof type === 'string') { if (handlers.length === 0) { this.list[type] = []; } else { for (var i = 0; i < handlers.length; i++) { if (typeof handlers[i] === 'function' && handlers[i] === this.list[type][i]) { this.list[type].splice(i, 1); } } } } }, trigger: function () { var arguments = [].slice.call(arguments), type = arguments[0], args = arguments[1] instanceof Array && !arguments[2] ? arguments[1] : arguments.slice(1), handlers = this.list[type]; for (var i = 0; i < handlers.length; i++) { handlers[i].apply(this, args.splice(0, handlers[i].length)); } } };
주로 바인딩(바인딩 이벤트), 언바인드(삭제 이벤트), 트리거(트리거 이벤트)를 구현합니다. 동일한 이벤트 이름에 대해 여러 이벤트 처리 함수를 바인딩할 수 있으며 바인딩된 순서대로 순차적으로 트리거됩니다.
args.splice(0, handlers[i].length) 트리거 시 전달되는 매개변수
이벤트 바인딩 및 트리거링:
eventModel.bind('myevent1', function (a) { console.log(a); // 1 }, function(b) { console.log(b); // 2 }, function(c, d) { console.log(c + ' + ' + d); // a + b }); eventModel.bind('myevent1', function (e) { console.log(e); // 50 }); eventModel.trigger('myevent1', 1,2,'a','b', 50);
이벤트 삭제:
<button id="bind">bind</button> <button id="unbind">unbind</button>
var fnX = function () { console.log('fnX'); } var fnY = function () { console.log('fnY'); } eventModel.bind('myevent2', fnX, fnY); document.getElementById('unbind').onclick = function () { eventModel.unbind('myevent2', fnX); //删除 fnX 后,只剩下 fnY }; document.getElementById('bind').onclick = function () { eventModel.trigger('myevent2'); //输出 fnX fnY //在点击unbind后,只输出 fnY };
위 내용은 JavaScript 이벤트 바인딩, 트리거 및 삭제 샘플 코드에 대한 자세한 설명의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!