Mini starts with running the main.js file which triggers the MiniJS IIEF, (Immediately Invoked Function Expression):

// lib/main.js
const MiniJS = (() => {
 ...
})()

window.MiniJS = MiniJS

It’s similar to doing:

function MiniJS() {
  ...
}

window.MiniJS = MiniJS()

Mini starts by instantiating the Mini class which contains all logic regarding the library.

export class Mini {
  ...
}

const MiniJS = (() => {
  const mini = new Mini()
  ...
}

It will run mini.init to setup Mini.js and expose only a set of properties / methods for the user:

const MiniJS = (() => {
  // Creates an instance of Mini
  const mini = new Mini()

  // Initializes mini into the page
  mini.init().catch((error) => {
    console.error('Error initializing MiniJS:', error)
  })

  // Expose the following methods / properties
  // accessible at MiniJS.method(), MiniJS.property 
  return {
    get debug() {
      return Mini.debug
    },
    set debug(value) {
      Mini.debug = !!value

      if (Mini.debug) MiniJS.main = mini
      else delete MiniJS.main
    },
    get window() {
      return mini.state.window
    },
    resolveScript: () => {
      return mini.observer.resolveScript()
    },
    extendEvents: (events) => {
      mini.extensions.events.extend(events)
    },
  }
})()

Mini Class

The Mini class is a singleton, meaning only a single instance of that class is created and used in the program.

With the current setup, calling new Mini will always return the same instance. This is useful for when you want to fetch mini from another file without the need to rely on a global variable:

// Before, we do this:

// lib/main.js
window.MiniJS = MiniJS

// lib/state.js
// relies on MiniJS being a global variable.
// issue: you can't access MiniJS if it is not done initializing.
const variables = MiniJS.variables

// After, you can now do this:
class Mini {}

// lib/state.js
const mini = new Mini()
// I can now access any logic attached to mini.
// Also, we no longer need to "expose" private methods
// to the global scope in this way.
const variables = mini.state.variables
await mini.observer.waitForScripts(scripts)

Mini.js Initialization

Mini.js immediately calls init when it rans.

// lib/main.js
class Mini {
  ...
	constructor() {
    ...
		this.state = new State(this)
		this.observer = new Observer(this)
		this.extensions = {
		  events: new EventsExtensions(),
		}
	}

	async function init() {
    // Automatically initialize when the script is loaded
    await this._domReady()

    const startTime = performance.now()
    this._setDebugMode()
    this.state.setProxyWindow()
    Events.initValidEvents()
    this._initEntities()
    this._initializeGlobalVariables()
    Events.applyEvents()
    this.state.evaluate()
    this.observer.init()
    const endTime = performance.now()
    const executionTime = endTime - startTime
    console.log(`MiniJS took ${executionTime}ms to run.`)
	}
  
  ...
}

What it does is: