Mini Program Dependency Analysis Practice

Mini Program Dependency Analysis Practice

[[350074]]

Students who have used webpack must know webpack-bundle-analyzer, which can be used to analyze the dependencies of the current project's js files.

webpack-bundle-analyzer

Because I have been working on mini-programs recently, and mini-programs are particularly sensitive to package size, I wondered if I could make a similar tool to view the dependencies between the main packages and sub-packages of the current mini-program. After a few days of hard work, I finally made it, and the results are as follows:

[[350075]]

Mini Program Dependencies

Today's article will show you how to implement this tool.

Mini Program Entrance

The pages of the mini program are defined by the pages parameter of app.json, which is used to specify which pages the mini program consists of. Each item corresponds to the path (including file name) information of a page. For each page in pages, the mini program will look for the corresponding json, js, wxml, and wxss files for processing.

For example, the development directory is:

  1. ├── app.js
  2. ├── app.json
  3. ├── app.wxss
  4. ├── pages
  5. │ │── index  
  6. │ │ ├── index .wxml
  7. │ │ ├── index .js
  8. │ │ ├── index .json
  9. │ │ └── index .wxss
  10. │ └── logs
  11. │ ├── logs.wxml
  12. │ └── logs.js
  13. └── utils

You need to write in app.json:

  1. {
  2. "pages" : [ "pages/index/index" , "pages/logs/logs" ]
  3. }

For the convenience of demonstration, we first fork an official demo of the applet, and then create a new file depend.js, in which the work related to dependency analysis is implemented.

  1. $ git clone [email protected]:wechat-miniprogram/miniprogram-demo.git
  2. $ cd miniprogram-demo
  3. $ touch depend.js

The general directory structure is as follows:

Directory Structure

With app.json as the entry point, we can get all the pages under the main package.

  1. const fs = require( 'fs-extra' )
  2. const path = require( 'path' )
  3.  
  4. const root = process.cwd()
  5.  
  6. class Depend {
  7. constructor() {
  8. this.context = path.join (root, 'miniprogram' )
  9. }
  10. // Get the absolute address
  11. getAbsolute(file) {
  12. return path.join (this.context, file )
  13. }
  14. run() {
  15. const appPath = this.getAbsolute( 'app.json' )
  16. const appJson = fs.readJsonSync(appPath)
  17. const { pages } = appJson // All pages of the main package
  18. }
  19. }

Each page will correspond to four files: json, js, wxml, wxss:

  1. const Extends = [ '.js' , '.json' , '.wxml' , '.wxss' ]
  2. class Depend {
  3. constructor() {
  4. //Store the file
  5. this.files = new Set ()
  6. this.context = path.join (root, 'miniprogram' )
  7. }
  8. // Modify the file suffix
  9. replaceExt(filePath, ext = '' ) {
  10. const dirName = path.dirname(filePath)
  11. const extName = path.extname(filePath)
  12. const fileName = path.basename(filePath, extName)
  13. return path.join (dirName, fileName + ext )
  14. }
  15. run() {
  16. //Omit the process of getting pages
  17. pages.forEach(page => {
  18. // Get the absolute address
  19. const absPath = this.getAbsolute(page)
  20. Extends.forEach(ext => {
  21. // Each page needs to determine whether js, json, wxml, wxss exists
  22. const filePath = this.replaceExt(absPath, ext)
  23. if (fs.existsSync(filePath)) {
  24. this.files.add (filePath)
  25. }
  26. })
  27. })
  28. }
  29. }

Now all files related to the pages in pages are stored in the files field.

Constructing a tree structure

After getting the files, we need to construct a tree-structured file tree based on each file for subsequent display of dependencies.

Suppose we have a pages directory, and there are two pages under the pages directory: detail and index. There are four corresponding files under these two page folders.

  1. pages
  2. ├── detail
  3. │ ├── detail.js
  4. │ ├── detail.json
  5. │ ├── detail.wxml
  6. │ └── detail.wxss
  7. └── index  
  8. ├── index.js
  9. ├── index.json
  10. ├── index .wxml
  11. └── index .wxss

Based on the directory structure above, we construct a file tree structure as follows. Size is used to indicate the size of the current file or folder. Children stores the files in the folder. If it is a file, there is no children attribute.

  1. pages = {
  2. "size" : 8,
  3. "children" : {
  4. "detail" : {
  5. "size" : 4,
  6. "children" : {
  7. "detail.js" : { "size" : 1 },
  8. "detail.json" : { "size" : 1 },
  9. "detail.wxml" : { "size" : 1 },
  10. "detail.wxss" : { "size" : 1 }
  11. }
  12. },
  13. "index" : {
  14. "size" : 4,
  15. "children" : {
  16. "index.js" : { "size" : 1 },
  17. "index.json" : { "size" : 1 },
  18. "index.wxml" : { "size" : 1 },
  19. "index.wxss" : { "size" : 1 }
  20. }
  21. }
  22. }
  23. }

We first construct a tree field in the constructor to store the file tree data, and then we pass each file into the addToTree method to add the file to the tree.

  1. class Depend {
  2. constructor() {
  3. this.tree = {
  4. size : 0,
  5. children: {}
  6. }
  7. this.files = new Set ()
  8. this.context = path.join (root, 'miniprogram' )
  9. }
  10.    
  11. run() {
  12. //Omit the process of getting pages
  13. pages.forEach(page => {
  14. const absPath = this.getAbsolute(page)
  15. Extends.forEach(ext => {
  16. const filePath = this.replaceExt(absPath, ext)
  17. if (fs.existsSync(filePath)) {
  18. // Call addToTree
  19. this.addToTree(filePath)
  20. }
  21. })
  22. })
  23. }
  24. }

Next, implement the addToTree method:

  1. class Depend {
  2. //Omit the previous code
  3.  
  4. // Get the relative address
  5. getRelative(file) {
  6. return path. relative (this. context, file)
  7. }
  8. // Get the file size in KB
  9. getSize(file) {
  10. const stats = fs.statSync(file)
  11. return stats.size / 1024
  12. }
  13.  
  14. // Add the file to the tree
  15. addToTree(filePath) {
  16. if (this.files.has(filePath)) {
  17. // If the file has been added, it will not be added to the file tree
  18. return  
  19. }
  20. const size = this.getSize(filePath)
  21. const relPath = this.getRelative(filePath)
  22. // Convert the file path into an array
  23. // 'pages/index/index.js' =>
  24. // [ 'pages' , 'index' , 'index.js' ]
  25. const names = relPath.split(path.sep)
  26. const lastIdx = names.length - 1
  27.  
  28. this.tree.size += size  
  29. let point = this.tree.children
  30. names.forEach(( name , idx) => {
  31. if (idx === lastIdx) {
  32. point[ name ] = { size }
  33. return  
  34. }
  35. if (!point[ name ]) {
  36. point[ name ] = {
  37. size , children: {}
  38. }
  39. } else {
  40. point[ name ]. size += size  
  41. }
  42. point = point[ name ].children
  43. })
  44. // Add files to the file
  45. this.files.add (filePath)
  46. }
  47. }

We can output the file to tree.json after running it.

  1. run() {
  2. // ...
  3. pages.forEach(page => {
  4. //...
  5. })
  6. fs.writeJSONSync( 'tree.json' , this.tree, { spaces: 2 })
  7. }

tree.json

Get Dependencies

The above steps seem to be fine, but we are missing an important part, that is, before we construct the file tree, we need to get the dependencies of each file, so that the output is a complete file tree of the mini program. The file dependency relationship needs to be divided into four parts, namely, the way to obtain dependencies for the four types of files: js, json, wxml, and wxss.

Get .js file dependencies

Mini programs support modularization in the CommonJS way. If es6 is enabled, they can also support modularization in ESM. If we want to obtain the dependency of a js file, we must first clarify the three ways of writing js files to import modules. For the following three syntaxes, we can introduce Babel to obtain dependencies.

  1. import a from   './a.js'  
  2. export b from   './b.js'  
  3. const c = require( './c.js' )

Convert the code to AST through @babel/parser, then traverse the AST nodes through @babel/traverse, get the values ​​of the above three import methods, and put them into an array.

  1. const { parse } = require( '@babel/parser' )
  2. const { default : traverse } = require( '@babel/traverse' )
  3.  
  4. class Depend {
  5. // ...
  6. jsDeps(file) {
  7. const deps = []
  8. const dirName = path.dirname(file)
  9. // Read the js file content
  10. const content = fs.readFileSync(file, 'utf-8' )
  11. // Convert code to AST
  12. const ast = parse(content, {
  13. sourceType: 'module' ,
  14. plugins: [ 'exportDefaultFrom' ]
  15. })
  16. // Traverse the AST
  17. traverse(ast, {
  18. ImportDeclaration: ({ node }) => {
  19. // Get the import from address
  20. const { value } = node.source
  21. const jsFile = this.transformScript(dirName, value)
  22. if (jsFile) {
  23. deps.push(jsFile)
  24. }
  25. },
  26. ExportNamedDeclaration: ({ node }) => {
  27. // Get the export from address
  28. const { value } = node.source
  29. const jsFile = this.transformScript(dirName, value)
  30. if (jsFile) {
  31. deps.push(jsFile)
  32. }
  33. },
  34. CallExpression: ({ node }) => {
  35. if (
  36. (node.callee. name && node.callee. name === 'require' ) &&
  37. node.arguments.length >= 1
  38. ) {
  39. // Get the require address
  40. const [{ value }] = node.arguments
  41. const jsFile = this.transformScript(dirName, value)
  42. if (jsFile) {
  43. deps.push(jsFile)
  44. }
  45. }
  46. }
  47. })
  48. return deps
  49. }
  50. }

After obtaining the path of the dependent module, you cannot add the path to the dependency array immediately, because according to the module syntax, the js suffix can be omitted. In addition, when the require path is a folder, the index.js in the folder will be imported by default.

  1. class Depend {
  2. // Get the script file of a certain path
  3. transformScript(url) {
  4. const ext = path.extname(url)
  5. // If there is a suffix, it means that the current file is already a file
  6. if (ext === '.js' && fs.existsSync(url)) {
  7. return url
  8. }
  9. // a/b/c => a/b/c.js
  10. const jsFile = url + '.js'  
  11. if (fs.existsSync(jsFile)) {
  12. return jsFile
  13. }
  14. // a/b/c => a/b/c/ index .js
  15. const jsIndexFile = path.join (url, 'index.js' )
  16. if (fs.existsSync(jsIndexFile)) {
  17. return jsIndexFile
  18. }
  19. return   null  
  20. }
  21. jsDeps(file) {...}
  22. }

We can create a js and see if the output deps is correct:

  1. // File path: /Users/shenfq/Code/fork/miniprogram-demo/
  2. import a from   './a.js'  
  3. export b from   '../b.js'  
  4. const c = require( '../../c.js' )

image-20201101134549678

Get .json file dependencies

The json file itself does not support modularization, but the mini program can import custom components through the json file. You only need to declare the reference through usingComponents in the json file of the page. usingComponents is an object, the key is the tag name of the custom component, and the value is the custom component file path:

  1. {
  2. "usingComponents" : {
  3. "component-tag-name" : "path/to/the/custom/component"  
  4. }
  5. }

Custom components, like mini-program pages, also correspond to four files, so we need to obtain all dependencies in usingComponents in json, determine whether the four files corresponding to each component exist, and then add them to the dependencies.

  1. class Depend {
  2. // ...
  3. jsonDeps(file) {
  4. const deps = []
  5. const dirName = path.dirname(file)
  6. const { usingComponents } = fs.readJsonSync(file)
  7. if (usingComponents && typeof usingComponents === 'object' ) {
  8. Object.values ​​(usingComponents).forEach((component) => {
  9. component = path.resolve(dirName, component)
  10. // Each component needs to determine whether the js/json/wxml/wxss file exists
  11. Extends.forEach((ext) => {
  12. const file = this.replaceExt(component, ext)
  13. if (fs.existsSync(file)) {
  14. deps.push(file)
  15. }
  16. })
  17. })
  18. }
  19. return deps
  20. }
  21. }

Get .wxml file dependencies

wxml provides two file reference methods: import and include.

  1. <import src= "a.wxml" />
  2. <include src= "b.wxml" />

The wxml file is essentially an html file, so the wxml file can be parsed by an html parser. For the principles related to the html parser, you can read my previous article "Vue Template Compilation Principles".

  1. const htmlparser2 = require( 'htmlparser2' )
  2.  
  3. class Depend {
  4. // ...
  5. wxmlDeps(file) {
  6. const deps = []
  7. const dirName = path.dirname(file)
  8. const content = fs.readFileSync(file, 'utf-8' )
  9. const htmlParser = new htmlparser2.Parser({
  10. onopentag( name , attribs = {}) {
  11. if ( name !== 'import' && name !== 'require' ) {
  12. return  
  13. }
  14. const { src } = attribs
  15. if (src) {
  16. return  
  17. }
  18. const wxmlFile = path.resolve(dirName, src)
  19. if (fs.existsSync(wxmlFile)) {
  20. deps.push(wxmlFile)
  21. }
  22. }
  23. })
  24. htmlParser.write(content)
  25. htmlParser. end ()
  26. return deps
  27. }
  28. }

Get .wxss file dependencies

Finally, the syntax of importing styles in wxss files is consistent with that of css. You can use the @import statement to import external style sheets.

  1. @import "common.wxss" ;

You can use postcss to parse the wxss file and then get the address of the imported file, but here we are lazy and do it directly through simple regular matching.

  1. class Depend {
  2. // ...
  3. wxssDeps(file) {
  4. const deps = []
  5. const dirName = path.dirname(file)
  6. const content = fs.readFileSync(file, 'utf-8' )
  7. const importRegExp = /@import\s*[ '"](.+)[' "];*/g
  8. let matched
  9. while ((matched = importRegExp. exec (content)) !== null ) {
  10. if (!matched[1]) {
  11. continue  
  12. }
  13. const wxssFile = path.resolve(dirName, matched[1])
  14. if (fs.existsSync(wxmlFile)) {
  15. deps.push(wxssFile)
  16. }
  17. }
  18. return deps
  19. }
  20. }

Get .wxss file dependencies

Finally, the syntax of importing styles in wxss files is consistent with that of css. You can use the @import statement to import external style sheets.

  1. class Depend {
  2. addToTree(filePath) {
  3. // If the file has been added, it will not be added to the file tree
  4. if (this.files.has(filePath)) {
  5. return  
  6. }
  7.  
  8. const relPath = this.getRelative(filePath)
  9. const names = relPath.split(path.sep)
  10. names.forEach(( name , idx) => {
  11. // ... add to the tree
  12. })
  13. this.files.add (filePath)
  14.  
  15. // ===== Get file dependencies and add them to the tree =====
  16. const deps = this.getDeps(filePath)
  17. deps.forEach(dep => {
  18. this.addToTree(dep)
  19. })
  20. }
  21. }

Get subpackage dependencies

Students who are familiar with mini programs must know that mini programs provide a sub-package mechanism. After using sub-packages, the files in the sub-packages will be packaged into a separate package and loaded only when they are used, while other files will be placed in the main package and loaded when the mini program is opened. In subpackages, the configuration of each sub-package has the following items:

So when we run, in addition to getting all the pages under pages, we also need to get all the pages in subpackages. Because we only care about the contents of the main package before, there is only one file tree under this.tree. Now we need to mount multiple file trees under this.tree. We need to create a separate file tree for the main package first, and then create a file tree for each subpackage.

  1. class Depend {
  2. constructor() {
  3. this.tree = {}
  4. this.files = new Set ()
  5. this.context = path.join (root, 'miniprogram' )
  6. }
  7. createTree(pkg) {
  8. this.tree[pkg] = {
  9. size : 0,
  10. children: {}
  11. }
  12. }
  13. addPage(page, pkg) {
  14. const absPath = this.getAbsolute(page)
  15. Extends.forEach(ext => {
  16. const filePath = this.replaceExt(absPath, ext)
  17. if (fs.existsSync(filePath)) {
  18. this.addToTree(filePath, pkg)
  19. }
  20. })
  21. }
  22. run() {
  23. const appPath = this.getAbsolute( 'app.json' )
  24. const appJson = fs.readJsonSync(appPath)
  25. const { pages, subPackages, subpackages } = appJson
  26.      
  27. this.createTree( 'main' ) // Create a file tree for the main package
  28. pages.forEach(page => {
  29. this.addPage(page, 'main' )
  30. })
  31. // Since subPackages and subpackages in app.json are both effective
  32. // So we get both properties, and use whichever one exists
  33. const subPkgs = subPackages || subpackages
  34. // Only traverse when subpackages exist
  35. subPkgs && subPkgs.forEach(({ root, pages }) => {
  36. root = root.split( '/' ) .join (path.sep)
  37. this.createTree(root) // Create a file tree for subpackage
  38. pages.forEach(page => {
  39. this.addPage(`${root}${path.sep}${page}`, pkg)
  40. })
  41. })
  42. // Output file tree
  43. fs.writeJSONSync( 'tree.json' , this.tree, { spaces: 2 })
  44. }
  45. }

The addToTree method also needs to be modified to determine which tree to add the current file to based on the passed in pkg.

  1. class Depend {
  2. addToTree(filePath, pkg = 'main' ) {
  3. if (this.files.has(filePath)) {
  4. // If the file has been added, it will not be added to the file tree
  5. return  
  6. }
  7. let relPath = this.getRelative(filePath)
  8. if (pkg !== 'main' && relPath.indexOf(pkg) !== 0) {
  9. // If the file does not start with a subpackage name, it means that the file is not in a subpackage.
  10. // The file needs to be added to the file tree of the main package
  11. pkg = 'main'  
  12. }
  13.  
  14. const tree = this.tree[pkg] // Get the corresponding tree based on pkg
  15. const size = this.getSize(filePath)
  16. const names = relPath.split(path.sep)
  17. const lastIdx = names.length - 1
  18.  
  19. tree.size += size  
  20. let point = tree.children
  21. names.forEach(( name , idx) => {
  22. // ... add to the tree
  23. })
  24. this.files.add (filePath)
  25.  
  26. // ===== Get file dependencies and add them to the tree =====
  27. const deps = this.getDeps(filePath)
  28. deps.forEach(dep => {
  29. this.addToTree(dep)
  30. })
  31. }
  32. }

One thing to note here is that if a file in the package/a sub-package depends on a file that is not in the package/a folder, then the file needs to be placed in the file tree of the main package.

Drawing with EChart

After the above process, we can finally get a json file as follows:

tree.json

Next, we use the drawing ability of ECharts to display this json data in the form of a chart. We can see a Disk Usage case in the example provided by ECharts, which is in line with our expectations.

ECharts

The configuration of ECharts will not be described here. Just follow the demo on the official website. We just need to convert the tree.json data into the format required by ECharts. The complete code is in codesandbod. You can see the effect by going to the online address below.

Online address: https://codesandbox.io/s/cold-dawn-kufc9

Final effect

Summarize

This article is more practical, so a lot of code is posted. In addition, this article provides an idea for obtaining the dependencies of each file, although only such a dependency graph is constructed here using the file tree.

In business development, the mini program IDE needs to be fully compiled every time it is started, and it takes a long time to wait when previewing the development version. Now that we have file dependencies, we can only select the pages currently being developed for packaging, which can greatly improve our development efficiency. If you are interested in this part, you can write another article to introduce how to achieve it.

<<:  Let’s talk about what is 5G CPE?

>>:  One year after official commercial use! Some people are standing outside the door and watching, but are "influenced by 5G"

Recommend

Comparing WiFi 6 and WiFi 5, there are three differences

[[430598]] The shopping festival is here. If you ...

What changes does 5G bring to the medical industry?

Some people say that 2G brought us mobile Interne...

...

TCP, it’s finally here!

[[394208]] Previous articles have been talking ab...

Seven of the hottest new IT jobs

In the era of cloud computing, big data, the Inte...

Innovations in the future communications infrastructure for wireless networks

As technology advances, the need for faster and m...

Why 5G will not have a big impact on people

In June this year, protesters held signs such as ...