Design a data collector with vue

Design a data collector with vue

Scenario

There is a scenario in business now. When business behavior changes, it is necessary to collect data on the behavior of each module. The data can be used for review or for scenarios such as monitoring.

Core Issues

To put it simply, this requirement is to record the status changes of each module, and then format and upload them to the server.
There are two ways to solve the problem: one is status monitoring, and the second is active collection.

Status monitoring

Advantages of state monitoring

Quickly realize the use of state management and wachth mechanism to quickly know the state changes of different modules, and then you can get the data, format the data, and send it to the server

Disadvantages of state monitoring

  • Repeated monitoring of wacth. As long as wacth is used, no matter whether it is the data you need or not, as long as the state changes, it will trigger the change and monitor the behavior.
  • Repeated dependencies, for example, if there is a global start and end state, when using watch, you need to judge this state in different watch, or there is a global time module, etc.
  • Repeated writing, the same data formatting method needs to be practiced in different monitors
  • The data is distributed in a chaotic manner. Although the same pipeline is used for global upload, the support for merging and deduplication of data in the same pipeline, or other custom operations, is weak in the scenario of different types of data in the same pipeline.
  • It is difficult to distinguish between scenarios. There is no problem with monitoring triggered by normal processes. However, if monitoring is triggered by abnormal scenarios, it will lead to complex judgment.
  • The description is still relatively abstract. See the code example
function useA(){
 watch(new,old){
  if(start){
    if(new.type == 'need')
     const a = {
      a:new.a
     }
     const aa = {
      aa:new.aa
     }
     upload(a)
     upload(aa)
  }
 }
}
// Multiple data scattered function useB(){
 // Repeated monitoring watch(new,old){
 // Global judgment if(start){
    // Different state judgment if(new.type =='need')
     const b = {
      b:new.b
     }
     //Repeat data format const aa = {
      b:new.aa
     }
     upload(b)
     upload(aa)
  }
 }
}

Reconstruction implementation ideas

  • Dependency Collection (Listener Pattern)
  • State Unification
  • Data autonomy (strategy mode)

Dependency Collection

  • Core idea: We hope to use the same collector to solve the entire business process. Data changes occur at each change party. The data is processed through the standard formatting method provided by the collector, and then the data is passed to the collector. After receiving the data, the collector inserts it into different cache channels according to different data formats. The cache channel caches successfully and notifies the listener of the business processing. Different processing methods are performed according to different data types, and finally sent to the server.
  • The specific code is as follows
/*
 * @Description: Collect public classes * @version: 1.0.0
 * @Author: Wu Wenzhou* @Date: 2021-04-20 19:44:35
 * @LastEditors: Wu Wenzhou* @LastEditTime: 2021-04-22 15:20:50
 */
/**
 * @name: Dep
 * @msg: Dependency collection object */
class Dep {
  private subs: any = []
  // Add observer public addSub(sub: any) {
    if (sub && sub.update) {
      this.subs.push(sub)
    }
  }
  //Send notification public notify(content: any) {
    this.subs.forEach((sub: any) => {
      sub.update(content)
    })
  }
}
/**
 * @name: Watcher
 * @msg: observer object*/
class Watcher {
  private cb!: (arg: any) => void
  constructor(cb: (arg: any) => void) {
    // The callback function is responsible for updating this.cb = cb
  }
  // Update when data changes update(content: any) {
    this.cb(content)
  }
}
/**
 * @name: Channel
 * @msg: cache message pipeline*/
class Channel {
  //Pipeline storage array private queue: any = []
  // Pipeline size private limitSize = 1
  //Pipeline name public name: string
  constructor(name: string, limitSize = 1) {
    this.name = name
    // The minimum size is 1
    limitSize = limitSize >= 1 ? limitSize : 1
    this.limitSize = limitSize
  }
  /**
   * @name: push
   * @msg: added data*/
  push(item: any) {
    // Remove the first one if the limit size is exceeded if (this.limitSize == this.queue.length) {
      this.queue.shift()
    }
    this.queue.push(item)
  }
  /**
   * @name: getLast
   * @msg: Get the last added data*/
  getLast() {
    if (this.queue.length > 0) {
      return this.queue[this.queue.length - 1]
    } else {
      throw new Error('no item return')
    }
  }
  /**
   * @name: getLastIndex
   * @msg: Get the last countdown data*/
  getLastIndex(index: number) {
    try {
      return this.queue[this.queue.length - index - 1]
    } catch (error) {
      throw new Error('no item return')
    }
  }
  /**
   * @name: isEmpty
   * @msg: Is the pipe empty? */
  isEmpty() {
    return this.queue.length == 0
  }
}
export class Collection {
  //Dependency collection object private dep = new Dep()
  // Classification of each data channel private dataQueue = ['A', 'B', 'C']
  // Channel collection private channelMap = new Map()
  // Upload queue private MQ!: LiveCollectionMQ
  // Strategy mode: different data types correspond to different processing mechanisms private strategies = {
    A: () => {
      // You can obtain corresponding data in different pipelines for different logical processing},
    B: () => {

    },
    C: () => {
    },
  } as Record<NotifyType, any>
  constructor() {
    this.init()
  }
  private init() {
    // Initialize the watcher
    this.intWatcher()
    // Initialize the channel this.initChannel()
    // Initialize data this.initData()
    // Initialize the queue this.initMQ()
  }
  /**
   * @name:intWatcher
   * @msg: Initialize listener */
  private intWatcher() {
    this.dep.addSub(
      new Watcher((type: NotifyType) => {
        const handlerBack = this.getHandler(type)
        handlerBack()
      }),
    )
  }
  /**
   * @name: initChannel
   * @msg: Initialize channel */
  private initChannel() {
    this.dataQueue.forEach(item => {
      this.channelMap.set(item, new Channel(item, 3))
    })
  }
  /**
   * @name: initData
   * @msg: Initialize channel data * @param {*}
   */
  private initData() {
    
  }
  /**
   * @name: initMQ
   * @msg: Initialize upload queue*/
  private initMQ() {

  }
  /**
   * @name: getMQ
   * @msg: Get the message queue */
  public getMQ() {
    return this.MQ
  }
  /**
   * @name:getChannel
   * @msg: Get the channel instance based on the channel name * @param {name} channel name */
  private getChannel(name: NotifyType) {
    if (this.channelMap.get(name)) {
      return this.channelMap.get(name)
    } else {
      throw new Error('no channel')
    }
  }
  /**
   * @name:notify
   * @msg: Dependent notification method * @param {NotifyType} type
   * @param {any} mes
   */
  public notify(type: NotifyType, mes: any) {
    // Set the pipeline cache this.setChannel(type, mes)
    // Global unified judgment state to determine whether to distribute data if (state.value.type) {
      this.dep.notify(type)
    }
  }
  /**
   * @name: setChannel
   * @msg: Set channel cache * @param {NotifyType} name
   * @param {any} mes
   */
  private setChannel(name: NotifyType, mes: any) {
    const channel = this.getChannel(name)
    channel.push(mes)
  }
  /**
   * @name:getHandler
   * @msg: get * @param {NotifyType} name
   */
  private getHandler(name: NotifyType) {
    return this.strategies[name]
  }
  /**
   * @name: getChannelLast
   * @msg: Get the latest data in the specified pipeline * @param {NotifyType} name
   * @return {*}
   */
  public getChannelLast(name: NotifyType) {
    try {
      const channel = this.getChannel(name)
      return channel.getLast()
    } catch (error) {
      throw new Error(error)
    }
  }
  /**
   * @name: getChannelLast
   * @msg: Get the reverse order data in the specified pipeline * @param {NotifyType} name
   * @param {number} index
   */
  public getChannelItemByLastIndex(name: NotifyType, index: number) {
    try {
      const channel = this.getChannel(name)
      return channel.getLastIndex(index)
    } catch (error) {
      throw new Error(error)
    }
  }
  /**
   * @name: generateA
   * @msg: Generate A data method */
  public generateA() {
    
  }
  /**
   * @name: generateB
   * @msg: Generate B data method */
  public generateB() {
    
  }
  /**
   * @name: generateC
   * @msg: Generate C data method */
  public generateC() {
    
  }
}

export const CollectionHelper = new Collection()

Summarize

  • I think a good way to understand a framework is to use its core principles to solve a principle, just like the plugin mechanism of webpack before, this time I use the dependency collection of vue.
  • State autonomy and unified responsibilities are a good habit for code encapsulation

The above is the details of designing a data collector using Vue. For more information about designing data collectors with Vue, please pay attention to other related articles on 123WORDPRESS.COM!

You may also be interested in:
  • Detailed explanation of the implementation principle of Vue2.0/3.0 two-way data binding
  • Analysis on the problem of data loss caused by forced refresh of vuex
  • How does Vue track data changes?
  • Vue+canvas realizes the effect of refreshing waterfall chart from top to bottom in real time (similar to QT)
  • Solution to Vue data assignment problem
  • Vue resets data to its initial state
  • Analysis and solution of data loss during Vue component value transfer
  • SpringBoot+Vue realizes data adding function
  • Handwritten Vue2.0 data hijacking example
  • Vue data two-way binding implementation method
  • Avoid abusing this to read data in data in Vue

<<:  Detailed graphic and text instructions for installing MySQL 5.7.20 on Mac OS

>>:  WePY cloud development practice in Linux command query applet

Recommend

Several ways to easily traverse object properties in JS

Table of contents 1. Self-enumerable properties 2...

docker logs - view the implementation of docker container logs

You can view the container logs through the docke...

VMware Workstation 14 Pro installation and activation graphic tutorial

This article shares the installation and activati...

Vue keeps the user logged in (various token storage methods)

Table of contents How to set cookies Disadvantage...

Super detailed MySQL usage specification sharing

Recently, there have been many database-related o...

N ways to align the last row of lists in CSS flex layout to the left (summary)

I would like to quote an article by Zhang Xinxu a...

How to implement a single file component in JS

Table of contents Overview Single file components...

Web Design Tutorial (5): Web Visual Design

<br />Previous article: Web Design Tutorial ...

Detailed explanation of how Node.js handles ES6 modules

Table of contents 1. Differences between the two ...

How to redraw Button as a circle in XAML

When using XAML layout, sometimes in order to make...

Realize three-level linkage of year, month and day based on JavaScript

This article shares the specific code for JavaScr...

First experience of creating text with javascript Three.js

Table of contents Effect Start creating text Firs...

HTML Basics: The basic structure of HTML

The basic structure of HTML hypertext documents is...