Вопрос
что больше подходит для выражения / сбора поведения объекта, IIFE или вариации конструктора объекта? применительно к шаблону pub / sub.
Является ли выбор использовать один поверх другого чисто стилистическим, или я не рассматриваю другие преимущества / недостатки, чем те, о которых я рассказывал ниже?
Конструктор объектов
(я предпочитаюOLOO через делегирование стиля поведения Кайла Симпсона из YDKJS (глава 6 «this and objects»).
выгоды
- Мы можем определить объект pub / sub с помощьюсвойства и методы члена
недостатки
- Аргумент, который я вижу против использования объекта «конструктор», заключается в том, что он предлагает / поощряет делегирование поведения вбудущее
- шаблон оставляет место для полиморфизма, если разработчики не проявляют осторожности
IIFE
преимущества
- методы и свойства могут быть сделаны приватными, т.е. closure-scoсвойства и методы педа
- Возможно, если говорить более четко, IIFE обеспечит инкапсуляцию
- Позже IIFE также может быть преобразовано в модуль
ссылка на простой паб / суб IIFE шаблон от Адди Османи
// pubsub implementation, mine
let pubsub = {
topics: {},
publish: function ( topic, message ) {
if (this.topics.hasOwnProperty(topic)) {
// add message to topic and update # messages in topic
this.topics[topic].messages.push(message)
this.topics[topic].messages.count = this.topics[topic].messages.count++;
} else {
// create new topic object
this.topics[topic] = {}
this.topics[topic].subscribers = []
this.topics[topic].messages = []
this.topics[topic].count = 1
}
},
subscribe: function ( entityID, topic ) {
// if topic exists, add entity to list of subscriptions for that topic
if (this.topics.hasOwnProperty(topic)) {
this.topics[topic].subscribers.push(entityID)
} else {
throw new TypeError("the topic must exist first before subscribing to it")
}
},
unsubscribe: function ( entityID, topic ) {
if (this.topics.hasOwnProperty(topic)) {
if (this.topics[topic].subscribers.includes(entityID)) {
for (let i = 0, j = this.topics[topic].subscribers.length; i < j; i++) {
if (this.topics[topic].subscribers[i] === entityID) {
this.topics[topic].subscribers.splice(i, 1);
}
}
} else {
throw new TypeError("an entity must be subscribed to the topic before unsubscribing")
}
} else {
throw new TypeError("the topic must exist first before unsubscribing from it")
}
},
}
let pubsubInstance = Object.create(pubsub)
pubsubInstance.subscribe(object, topic)
или
/*!
* Pub/Sub implementation
* http://addyosmani.com/
* Licensed under the GPL
* http://jsfiddle.net/LxPrq/
*/
;(function ( window, doc, undef ) {
'use strict';
var topics = {},
subUid = -1,
pubsubz ={};
pubsubz.publish = function ( topic, args ) {
if (!topics[topic]) {
return false;
}
setTimeout(function () {
var subscribers = topics[topic],
len = subscribers ? subscribers.length : 0;
while (len--) {
subscribers[len].func(topic, args);
}
}, 0);
return true;
};
pubsubz.subscribe = function ( topic, func ) {
if (!topics[topic]) {
topics[topic] = [];
}
var token = (++subUid).toString();
topics[topic].push({
token: token,
func: func
});
return token;
};
pubsubz.unsubscribe = function ( token ) {
for (var m in topics) {
if (topics[m]) {
for (var i = 0, j = topics[m].length; i < j; i++) {
if (topics[m][i].token === token) {
topics[m].splice(i, 1);
return token;
}
}
}
}
return false;
};
var getPubSubz = function(){
return pubsubz;
};
window.pubsubz = getPubSubz();
}( this, this.document ));