Compilation process analysis of Remax framework for writing small programs using React (recommended)

Compilation process analysis of Remax framework for writing small programs using React (recommended)

Remax is an open source framework developed by Ant for developing small programs using React, which adopts a solution without syntax restrictions at runtime. The overall research is mainly divided into three parts: runtime principle, template rendering principle, and compilation process. After reading most of the existing articles, they mainly focus on the runtime and template rendering principles of Reamx, but the introduction to the process of compiling the entire React code into a mini-program has not been seen yet. This article is to fill this gap.
For the principle of template rendering, see this article: https://www.jb51.net/article/132635.htm
For the runtime principle of remax, see this article: https://www.jb51.net/article/210293.htm
For more information about React custom renderer, see this article: https://www.jb51.net/article/198425.htm

The basic structure of Remax:

1. remax-runtime runtime provides custom renderers, packaging of host components, and configuration generators from React components to App, Page, and Component of mini-programs

// Custom renderer export { default as render } from './render';
// Configuration processing from app.js to the mini program App constructor export { default as createAppConfig } from './createAppConfig';
// A series of adaptation processes from React to the mini program Page page builder export { default as createPageConfig } from './createPageConfig';
// A series of adaptation processes from React components to the Component constructor of the mini-program custom component export { default as createComponentConfig } from './createComponentConfig';
// 
export { default as createNativeComponent } from './createNativeComponent';
// Generate host components, such as View, Button, Canvas, etc. provided by the applet export { default as createHostComponent } from './createHostComponent';
export { createPortal } from './ReactPortal';
export { RuntimeOptions, PluginDriver } from '@remax/framework-shared';
export * from './hooks';

import { ReactReconcilerInst } from './render';
export const unstable_batchedUpdates = ReactReconcilerInst.batchedUpdates;

export default {
  unstable_batchedUpdates,
};

2. remax-wechat applet related adapter
Template related, the processing principles and principles related to the template can be seen here https://www.jb51.net/article/145552.htm
templates // Templates related to rendering
src/api adapts various global APIs related to WeChat Mini Programs, some of which are promisified

import { promisify } from '@remax/framework-shared';

declare const wx: WechatMiniprogram.Wx;

export const canIUse = wx.canIUse;
export const base64ToArrayBuffer = wx.base64ToArrayBuffer;
export const arrayBufferToBase64 = wx.arrayBufferToBase64;
export const getSystemInfoSync = wx.getSystemInfoSync;
export const getSystemInfo = promisify(wx.getSystemInfo);

src/types/config.ts is used to adapt the configuration content related to Page and App of the mini program.

/** Page configuration file */
// reference: https://developers.weixin.qq.com/miniprogram/dev/reference/configuration/page.html
export interface PageConfig {
  /**
   * Default value: #000000
   * Navigation bar background color, such as #000000
   */
  navigationBarBackgroundColor?: string;
  /**
   * Default value: white
   * Navigation bar title color, only supports black / white
   */
  navigationBarTextStyle?: 'black' | 'white';
  
  /** Global configuration file */
// reference: https://developers.weixin.qq.com/miniprogram/dev/reference/configuration/app.html
export interface AppConfig {
  /**
   * Page path list */
  pages: string[];
  /**
   * Global default window behavior */
  window?: {
    /**
     * Default value: #000000
     * Navigation bar background color, such as #000000
     */
    navigationBarBackgroundColor?: string;
    /**
     * Default value: white
     * Navigation bar title color, only supports black / white
     */
    navigationBarTextStyle?: 'white' | 'black';

src/types/component.ts Adaptation of public properties, events and other properties related to WeChat built-in components

import * as React from 'react';

/** WeChat built-in component public properties*/
// reference: https://developers.weixin.qq.com/miniprogram/dev/framework/view/component.html
export interface BaseProps {
  /** Custom attributes: When an event is triggered on a component, it will be sent to the event handler function*/
  readonly dataset?: DOMStringMap;
  /** Unique identifier of the component: keep the entire page unique*/
  id?: string;
  /** Component style class: the style class defined in the corresponding WXSS*/
  className?: string;
  /** Inline styles of components: inline styles that can be set dynamically*/
  style?: React.CSSProperties;
  /**Whether the component is displayed: All components are displayed by default*/
  hidden?: boolean;
  /** Animation object: created by `wx.createAnimation`*/
  animation?: Array<Record<string, any>>;

  // reference: https://developers.weixin.qq.com/miniprogram/dev/framework/view/wxml/event.html
  /** Triggered when clicked*/
  onTap?: (event: TouchEvent) => void;
  /** Triggered when clicked*/
  onClick?: (event: TouchEvent) => void;
  /** Finger touch action starts*/
  onTouchStart?: (event: TouchEvent) => void;

src/hostComponents is for packaging and adapting WeChat Mini Program host components; node.ts is for adapting Mini Program related properties to React specifications

export const alias = {
  id: 'id',
  className: 'class',
  style: 'style',
  animation: 'animation',
  src: 'src',
  loop: 'loop',
  controls: 'controls',
  poster: 'poster',
  name: 'name',
  author: 'author',
  onError: 'binderror',
  onPlay: 'bindplay',
  onPause: 'bindpause',
  onTimeUpdate: 'bindtimeupdate',
  onEnded: 'bindended',
};

export const props = Object.values(alias);

Various components are also generated using createHostComponent

import * as React from 'react';
import { createHostComponent } from '@remax/runtime';

// WeChat is no longer maintained export const Audio: React.ComponentType = createHostComponent('audio');

createHostComponent generates React's Element

import * as React from 'react';
import { RuntimeOptions } from '@remax/framework-shared';

export default function createHostComponent<P = any>(name: string, component?: React.ComponentType<P>) {
  if (component) {
    return component;
  }

  const Component = React.forwardRef((props, ref: React.Ref<any>) => {
    const { children = [] } = props;
    let element = React.createElement(name, { ...props, ref }, children);
    element = RuntimeOptions.get('pluginDriver').onCreateHostComponentElement(element) as React.DOMElement<any, any>;
    return element;
  });
  return RuntimeOptions.get('pluginDriver').onCreateHostComponent(Component);
}

3. remax-macro According to the official description, remax-macro is a macro based on babel-plugin-macros; the so-called macro is a static replacement of strings during compilation, and Javascript has no compilation process. The way babel implements macros is to compile the code into an ast tree and then operate on the ast syntax tree to replace the original code. For detailed article, please see here https://zhuanlan.zhihu.com/p/64346538;
Remax uses macros to replace some macros, such as useAppEvent and usePageEvent, by importing them from remax/runtime.

import { createMacro } from 'babel-plugin-macros';


import createHostComponentMacro from './createHostComponent';
import requirePluginComponentMacro from './requirePluginComponent';
import requirePluginMacro from './requirePlugin';
import usePageEventMacro from './usePageEvent';
import useAppEventMacro from './useAppEvent';

function remax({ references, state }: { references: { [name: string]: NodePath[] }; state: any }) {
  references.createHostComponent?.forEach(path => createHostComponentMacro(path, state));

  references.requirePluginComponent?.forEach(path => requirePluginComponentMacro(path, state));

  references.requirePlugin?.forEach(path => requirePluginMacro(path));

  const importer = slash(state.file.opts.filename);

  Store.appEvents.delete(importer);
  Store.pageEvents.delete(importer);

  references.useAppEvent?.forEach(path => useAppEventMacro(path, state));

  references.usePageEvent?.forEach(path => usePageEventMacro(path, state));
}

export declare function createHostComponent<P = any>(
  name: string,
  props: Array<string | [string, string]>
): React.ComponentType<P>;

export declare function requirePluginComponent<P = any>(pluginName: string): React.ComponentType<P>;

export declare function requirePlugin<P = any>(pluginName: string): P;

export declare function usePageEvent(eventName: PageEventName, callback: (...params: any[]) => any): void;

export declare function useAppEvent(eventName: AppEventName, callback: (...params: any[]) => any): void;

export default createMacro(remax);
import * as t from '@babel/types';
import { slash } from '@remax/shared';
import { NodePath } from '@babel/traverse';
import Store from '@remax/build-store';
import insertImportDeclaration from './utils/insertImportDeclaration';

const PACKAGE_NAME = '@remax/runtime';
const FUNCTION_NAME = 'useAppEvent';

function getArguments(callExpression: NodePath<t.CallExpression>, importer: string) {
  const args = callExpression.node.arguments;
  const eventName = args[0] as t.StringLiteral;
  const callback = args[1];

  Store.appEvents.set(importer, Store.appEvents.get(importer)?.add(eventName.value) ?? new Set([eventName.value]));

  return [eventName, callback];
}

export default function useAppEvent(path: NodePath, state: any) {
  const program = state.file.path;
  const importer = slash(state.file.opts.filename);
  const functionName = insertImportDeclaration(program, FUNCTION_NAME, PACKAGE_NAME);
  const callExpression = path.findParent(p => t.isCallExpression(p)) as NodePath<t.CallExpression>;
  const [eventName, callback] = getArguments(callExpression, importer);

  callExpression.replaceWith(t.callExpression(t.identifier(functionName), [eventName, callback]));
}

I personally feel that this design is a bit too complicated, which may be related to the design of remax. In remax/runtime, useAppEvent is actually exported from remax-framework-shared;
But it also taught me a way to deal with code modifications.

4. remax-cli remax scaffolding, the entire remax project, and the compilation process generated into the mini program are also handled here.
Let’s first take a look at how a React file as a Page is associated with the native Page constructor of the mini program.
Assume that the original page code looks like this,

import * as React from 'react';
import { View, Text, Image } from 'remax/wechat';
import styles from './index.css';

export default () => {
  return (
    <View className={styles.app}>
      <View className={styles.header}>
        <Image
          src="https://gw.alipayobjects.com/mdn/rms_b5fcc5/afts/img/A*OGyZSI087zkAAAAAAAAAAABkARQnAQ"
          className={styles.logo}
          alt="logo"
        />
        <View className={styles.text}>
          Edit <Text className={styles.path}>src/pages/index/index.js</Text> to start</View>
      </View>
    </View>
  );
};

This part is processed in the remax-cli/src/build/entries/PageEntries.ts code. You can see that the source code is modified here. The createPageConfig function in the runtime is introduced to align the properties required by the React component and the native Page of the mini program, and the native Page constructor is called to instantiate the page.

import * as path from 'path';
import VirtualEntry from './VirtualEntry';

export default class PageEntry extends VirtualEntry {
  outputSource() {
    return `
      import { createPageConfig } from '@remax/runtime';
      import Entry from './${path.basename(this.filename)}';
      Page(createPageConfig(Entry, '${this.name}'));
    `;
  }
}

createPageConfig is responsible for mounting the React component into the remax custom rendering container, and at the same time associating the various life cycles of the mini program Page with the various hooks provided by remax

export default function createPageConfig(Page: React.ComponentType<any>, name: string) {
  const app = getApp() as any;

  const config: any = {
    data: {
      root: {
        children: [],
      },
      modalRoot: {
        children: [],
      },
    },

    wrapperRef: React.createRef<any>(),

    lifecycleCallback: {},

    onLoad(this: any, query: any) {
      const PageWrapper = createPageWrapper(Page, name);
      this.pageId = generatePageId();

      this.lifecycleCallback = {};
      this.data = { // The data defined in Page is actually a mirror tree root generated in memory by remax: {
          children: [],
        },
        modalRoot: {
          children: [],
        },
      };

      this.query = query;
      // Generate the container that needs to be defined for the custom renderer this.container = new Container(this, 'root');
      this.modalContainer = new Container(this, 'modalRoot');
      // Generate page-level React components here const pageElement = React.createElement(PageWrapper, {
        page: this,
        query,
        modalContainer: this.modalContainer,
        ref: this.wrapperRef,
      });

      if (app && app._mount) {
        this.element = createPortal(pageElement, this.container, this.pageId);
        app._mount(this);
      } else {
          // Call custom renderer for rendering this.element = render(pageElement, this.container);
      }
      //Call the hook function in the life cycle return this.callLifecycle(Lifecycle.load, query);
    },

    onUnload(this: any) {
      this.callLifecycle(Lifecycle.unload);
      this.unloaded = true;
      this.container.clearUpdate();
      app._unmount(this);
    },

Container is the root container defined according to the React custom rendering specification. Finally, the native setData method of the applet is called in the applyUpdate method to update the rendered view.

applyUpdate() {
  if (this.stopUpdate || this.updateQueue.length === 0) {
    return;
  }

  const startTime = new Date().getTime();

  if (typeof this.context.$spliceData === 'function') {
    let $batchedUpdates = (callback: () => void) => {
      callback();
    };

    if (typeof this.context.$batchedUpdates === 'function') {
      $batchedUpdates = this.context.$batchedUpdates;
    }

    $batchedUpdates(() => {
      this.updateQueue.map((update, index) => {
        let callback = undefined;
        if (index + 1 === this.updateQueue.length) {
          callback = () => {
            nativeEffector.run();
            /* istanbul ignore next */
            if (RuntimeOptions.get('debug')) {
              console.log(`setData => callback time: ${new Date().getTime() - startTime}ms`);
            }
          };
        }

        if (update.type === 'splice') {
          this.context.$spliceData(
            {
              [this.normalizeUpdatePath([...update.path, 'children'])]: [
                update.start,
                update.deleteCount,
                ...update.items,
              ],
            },
            callback
          );
        }

        if (update.type === 'set') {
          this.context.setData(
            {
              [this.normalizeUpdatePath([...update.path, update.name])]: update.value,
            },
            callback
          );
        }
      });
    });

    this.updateQueue = [];

    return;
  }

  const updatePayload = this.updateQueue.reduce<{ [key: string]: any }>((acc, update) => {
    if (update.node.isDeleted()) {
      return acc;
    }
    if (update.type === 'splice') {
      acc[this.normalizeUpdatePath([...update.path, 'nodes', update.id.toString()])] = update.items[0] || null;

      if (update.children) {
        acc[this.normalizeUpdatePath([...update.path, 'children'])] = (update.children || []).map(c => c.id);
      }
    } else {
      acc[this.normalizeUpdatePath([...update.path, update.name])] = update.value;
    }
    return acc;
  }, {});
  // Update the rendered view this.context.setData(updatePayload, () => {
    nativeEffector.run();
    /* istanbul ignore next */
    if (RuntimeOptions.get('debug')) {
      console.log(`setData => callback time: ${new Date().getTime() - startTime}ms`, updatePayload);
    }
  });

  this.updateQueue = [];
}

The update of the container is done in the render method in the render file.

function getPublicRootInstance(container: ReactReconciler.FiberRoot) {
  const containerFiber = container.current;
  if (!containerFiber.child) {
    return null;
  }
  return containerFiber.child.stateNode;
}

export default function render(rootElement: React.ReactElement | null, container: Container | AppContainer) {
  // Create a root Container if it doesn't exist
  if (!container._rootContainer) {
    container._rootContainer = ReactReconcilerInst.createContainer(container, false, false);
  }

  ReactReconcilerInst.updateContainer(rootElement, container._rootContainer, null, () => {
    // ignore
  });

  return getPublicRootInstance(container._rootContainer);
}

In addition, the components rendered here are actually wrapped by createPageWrapper, mainly to handle some forward-ref related operations.
Now the page-level React component has been associated with the mini-program native Page.
The processing of Component is similar to this, you can see the remax-cli/src/build/entries/ComponentEntry.ts file

import * as path from 'path';
import VirtualEntry from './VirtualEntry';

export default class ComponentEntry extends VirtualEntry {
  outputSource() {
    return `
      import { createComponentConfig } from '@remax/runtime';
      import Entry from './${path.basename(this.filename)}';
      Component(createComponentConfig(Entry));
    `;
  }
}

For ordinary components, remax compiles them into custom components. The custom components of mini programs are composed of json, wxml, wxss and js. The processing from React components to these files is processed in remax-cli/src/build/webpack/plugins/ComponentAsset to generate wxml, wxss and js files.

export default class ComponentAssetPlugin {
  builder: Builder;
  cache: SourceCache = new SourceCache();

  constructor(builder: Builder) {
    this.builder = builder;
  }

  apply(compiler: Compiler) {
    compiler.hooks.emit.tapAsync(PLUGIN_NAME, async (compilation, callback) => {
      const { options, api } = this.builder;
      const meta = api.getMeta();

      const { entries } = this.builder.entryCollection;
      await Promise.all(
        Array.from(entries.values()).map(async component => {
          if (!(component instanceof ComponentEntry)) {
            return Promise.resolve();
          }
          const chunk = compilation.chunks.find(c => {
            return c.name === component.name;
          });
          const modules = [...getModules(chunk), component.filename];

          let templatePromise;
          if (options.turboRenders) {
            // turbo page
            templatePromise = createTurboTemplate(this.builder.api, options, component, modules, meta, compilation);
          } else {
            templatePromise = createTemplate(component, options, meta, compilation, this.cache);
          }

          await Promise.all([
            await templatePromise,
            await createManifest(this.builder, component, compilation, this.cache),
          ]);
        })
      );

      callback();
    });
  }
}

The series of Page files are processed in remax-cli/src/build/webpack/plugins/PageAsset. At the same time, the dependency relationship between Page and custom components is analyzed in createMainifest, and the association relationship of usingComponents is automatically generated.

This concludes this article about the compilation process analysis of the Remax framework for writing small programs using React (recommended). For more relevant content about writing small programs with React, please search for previous articles on 123WORDPRESS.COM or continue to browse the related articles below. I hope everyone will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • How to remove HTML tags in rich text and filters in Vue, React, and WeChat applets

<<:  MySQL 5.7.17 installation and configuration graphic tutorial

>>:  Solution to the problem that Linux cannot connect to the Internet in VMware after the computer shuts down unexpectedly

Recommend

Vue implements scrollable pop-up window effect

This article shares the specific code of Vue to a...

Introduction to HTML method of opening link files using hyperlinks

a and href attributes HTML uses <a> to repr...

Example code for implementing fullpage.js full-screen scrolling effect with CSS

When I was studying CSS recently, I found that I ...

IE6 distortion problem

question: <input type="hidden" name=...

Bootstrap 3.0 study notes grid system case

Preface In the previous article, we mainly learne...

A brief discussion on the fun of :focus-within in CSS

I believe some people have seen this picture of c...

Pay attention to the use of HTML tags in web page creation

This article introduces some issues about HTML ta...

CSS position fixed left and right double positioning implementation code

CSS Position The position attribute specifies the...

Specific use of Docker anonymous mount and named mount

Table of contents Data volume Anonymous and named...

Detailed explanation of the use of custom parameters in MySQL

MySQL variables include system variables and syst...

Summary of the differences between count(*), count(1) and count(col) in MySQL

Preface The count function is used to count the r...