Babylon-AST初探-代碼查詢(Retrieve)

  在上一篇文章中,咱們介紹了ASTCreate。在這篇文章中,咱們接着來介紹ASTRetrievevue

  針對語法樹節點的查詢(Retrieve)操做一般伴隨着UpdateRemove(這兩種方法見下一篇文章)。這裏介紹兩種方式:直接訪問和traversenode

  本文中全部對AST的操做均基於如下這一段代碼git

const babylon = require('babylon')
const t = require('@babel/types')
const generate = require('@babel/generator').default
const traverse = require('@babel/traverse').default

const code = `
export default {
  data() {
    return {
      message: 'hello vue',
      count: 0
    }
  },
  methods: {
    add() {
      ++this.count
    },
    minus() {
      --this.count
    }
  }
}
`

const ast = babylon.parse(code, {
  sourceType: 'module',
  plugins: ['flow']
})
複製代碼

  對應的AST explorer的表示以下圖所示,你們能夠自行拷貝過去查看:github

直接訪問

  如上圖中,有不少節點Node,如須要獲取ExportDefaultDeclaration下的data函數,直接訪問的方式以下:express

const dataProperty = ast.program.body[0].declaration.properties[0]
console.log(dataProperty)
複製代碼

程序輸出:bash

Node {
  type: 'ObjectMethod',
  start: 20,
  end: 94,
  loc:
   SourceLocation {
     start: Position { line: 3, column: 2 },
     end: Position { line: 8, column: 3 } },
  method: true,
  shorthand: false,
  computed: false,
  key:
   Node {
     type: 'Identifier',
     start: 20,
     end: 24,
     loc: SourceLocation { start: [Object], end: [Object], identifierName: 'data' },
     name: 'data' },
  kind: 'method',
  id: null,
  generator: false,
  expression: false,
  async: false,
  params: [],
  body:
   Node {
     type: 'BlockStatement',
     start: 27,
     end: 94,
     loc: SourceLocation { start: [Object], end: [Object] },
     body: [ [Object] ],
     directives: [] } }
複製代碼

  這種直接訪問的方式能夠用於固定程序結構下的節點訪問,固然也可使用遍歷樹的方式來訪問每一個Nodebabel

  這裏插播一個Update操做,把data函數修改成mydataasync

const dataProperty = ast.program.body[0].declaration.properties[0]
dataProperty.key.name = 'mydata'

const output = generate(ast, {}, code)
console.log(output.code)
複製代碼

程序輸出:ide

export default {
  mydata() {
    return {
      message: 'hello vue',
      count: 0
    };
  },

  methods: {
    add() {
      ++this.count;
    },

    minus() {
      --this.count;
    }

  }
};
複製代碼

使用Traverse訪問

  使用直接訪問Node的方式,在簡單場景下比較好用。但是對於一些複雜場景,存在如下幾個問題:函數

  1. 須要處理某一類型的Node,好比ThisExpressionArrowFunctionExpression等,這時候咱們可能須要屢次遍歷AST才能完成操做
  2. 到達特定Node後,要訪問他的parentsibling時,不方便,可是這個也很經常使用

  @babel/traverse庫能夠很好的解決這一問題。traverse的基本用法以下:

// 該代碼打印全部 node.type。 可使用`path.type`,可使用`path.node.type`
let space = 0

traverse(ast, {
  enter(path) {
    console.log(new Array(space).fill(' ').join(''), '>', path.node.type)
    space += 2
  },
  exit(path) {
    space -= 2
    // console.log(new Array(space).fill(' ').join(''), '<', path.type)
  }
})
複製代碼

程序輸出:

> Program
   > ExportDefaultDeclaration
     > ObjectExpression
       > ObjectMethod
         > Identifier
         > BlockStatement
           > ReturnStatement
             > ObjectExpression
               > ObjectProperty
                 > Identifier
                 > StringLiteral
               > ObjectProperty
                 > Identifier
                 > NumericLiteral
       > ObjectProperty
         > Identifier
         > ObjectExpression
           > ObjectMethod
             > Identifier
             > BlockStatement
               > ExpressionStatement
                 > UpdateExpression
                   > MemberExpression
                     > ThisExpression
                     > Identifier
           > ObjectMethod
             > Identifier
             > BlockStatement
               > ExpressionStatement
                 > UpdateExpression
                   > MemberExpression
                     > ThisExpression
                     > Identifier
複製代碼

  traverse引入了一個NodePath的概念,經過NodePathAPI能夠方便的訪問父子、兄弟節點。

  注意: 上述代碼打印出的node.type和AST explorer中的type並不徹底一致。實際在使用traverse時,須要以上述打印出的node.type爲準。如data函數,在AST explorer中的typeProperty,但其實際的typeObjectMethod。這個你們必定要注意哦,由於在咱們後面的實際代碼中也有用到。

  仍以上述的訪問data函數爲例,traverse的寫法以下:

traverse(ast, {
  ObjectMethod(path) {
    // 1
    if (
      t.isIdentifier(path.node.key, {
        name: 'data'
      })
    ) {
      console.log(path.node)
    }

    // 2
    if (path.node.key.name === 'data') {
      console.log(path.node)
    }
  }
})
複製代碼

  上面兩種判斷Node的方法均可以,哪一個更好一些,我也沒有研究。

  經過travase獲取到的是NodePathNodePath.node等價於直接訪問獲取的Node節點,能夠進行須要的操做。

  如下是一些從babel-handbook中看到的NodePathAPI,寫的一些測試代碼,你們能夠參考看下,都是比較經常使用的:

parent

traverse(ast, {
  ObjectMethod(path) {
    if (path.node.key.name === 'data') {
      const parent = path.parent
      console.log(parent.type)	// output: ObjectExpression
    }
  }
})
複製代碼

findParent

traverse(ast, {
  ObjectMethod(path) {
    if (path.node.key.name === 'data') {
      const parent = path.findParent(p => p.isExportDefaultDeclaration())
      console.log(parent.type)
    }
  }
})
複製代碼

findNode節點找起

traverse(ast, {
  ObjectMethod(path) {
    if (path.node.key.name === 'data') {
      const parent = path.find(p => p.isObjectMethod())
      console.log(parent.type) // output: ObjectMethod
    }
  }
})
複製代碼

container 沒太搞清楚,訪問的NodePath若是是在array中的時候比較有用

traverse(ast, {
  ObjectMethod(path) {
    if (path.node.key.name === 'data') {
      const container = path.container
      console.log(container) // output: [...]
    }
  }
})
複製代碼

getSibling 根據index獲取兄弟節點

traverse(ast, {
  ObjectMethod(path) {
    if (path.node.key.name === 'data') {
      const sibling0 = path.getSibling(0)
      console.log(sibling0 === path) // true
      const sibling1 = path.getSibling(path.key + 1)
      console.log(sibling1.node.key.name) // methods
    }
  }
})
複製代碼

skip 最後介紹一下skip,執行以後,就不會在對葉節點進行遍歷

traverse(ast, {
  enter(path) {
    console.log(path.type)
    path.skip()
  }
})
複製代碼

程序輸出根節點Program後結束。

相關文章
相關標籤/搜索