js发布订阅者模式

全局的发布/订阅对象

发布/订阅模式可以用一个全局的 Event 对象来实现,订阅者不需要了解消息来自哪个发布者,发布者也不知道消息会推送给哪些订阅者,Event 作为一个类似“中介者” 的角色,把订阅者和发布者联系起来。

js发布订阅者模式_第1张图片

/**
 * 统一消息管理, 将消息发送给所有订阅这个消息类型的模块
 * 采用 订阅/发布(观察者) 这种设计模块式开发
 */
class MsgCenter {
  topicSubsMap = new Map();
  uuid = 0;

  _getUUID() {
    return ++this.uuid;
  }

  /**
   * 事件发布
   * @param topic
   * @param resultObj
   */
  publish(topic: string, resultObj: any) {
    if (!this.topicSubsMap.has(topic)) {
      return false;
    }
    let subscribers = this.topicSubsMap.get(topic) || [];
    subscribers.forEach((sub: object | any) => {
      sub.func(topic, resultObj);
    });
    return true;
  }

  /**
   * 订阅事件
   * @param topic string | array
   * @param func function(topic, event)
   * @param uuid
   * @returns {*|number}
   */
  subscribe(topic: string | string[], func: (topic: string, event: any) => any, uuid: number) {
    uuid = uuid || this._getUUID();
    if (Array.isArray(topic)) {
      topic.forEach(item => {
        this.subscribe(item, func, uuid);
      });
      return uuid;
    }
    if (!this.topicSubsMap.has(topic)) {
      this.topicSubsMap.set(topic, []);
    }
    this.topicSubsMap.get(topic).push({
      token: uuid,
      func: func
    });
    return uuid;
  }

  unsubscribe(token: any) {
    for (let subs of this.topicSubsMap.values()) {
      for (let i = 0; i < subs.length; i++) {
        if (subs[i].token == token) {
          subs.splice(i--, 1);
        }
      }
    }
    return false;
  }
  reset() {
    this.topicSubsMap.clear();
  }
}

export default MsgCenter();

 

在代码中的使用

 

// 订阅者
class SubscribeComponent extends React.Component {
  
  constructor(props) {
    super(props);
    this.initEvent();
  }
  initEvent = () => {
    this.token = msgCenter.subscribe('test_msgcenter', (topic, data) => {
      // data.data 取到的是发布者发布的数据
    });
  }

  componentWillUnmount() {
    msgCenter.unsubscribe(this.token);
  }
}

// 发布者
class PublishComponent extends React.Component {
  handlePublish = () => {
    msgCenter.publish('test_msgcenter', { secuCode: record.secuCode });
  }
}

 

参考简书: https://www.jianshu.com/p/31cc84c0d686

你可能感兴趣的:(js)