5

我正在尝试编写一个简单的 babel 插件,但是我很难用嵌套的访问者遍历匹配的节点。我想require在一个模块中找到需要某个模块的所有调用,然后在同一范围内应用一些转换。

为了用一个人为的例子来说明这一点,我想将源代码转换为:

const f = require('foo-bar');
const result = f() * 2;

变成类似的东西:

const result = 99 * 2; // as i "know" that calling f will always return 99

我试图做以下事情:

module.exports = ({ types: t }) => ({
    visitor: {
        CallExpression(path) {
            if (path.node.callee.name === 'require'
                && path.node.arguments.length === 1
                && t.isStringLiteral(p.node.arguments[0])
                && path.node.arguments[0].value === 'foo-bar'
            ) {
                const localIdentifier = path.parent.id.name;
                // if i print here it will show me that it successfully
                // found all require calls
                p.scope.traverse({
                    Identifier(subp) {
                        // this will never run at all
                        if (subp.name === localIdentifier) {
                            console.log('MATCH!');
                        }
                    }
                });
            }
        }
    }
});

我的方法是否有缺陷,或者从代码的角度来看我需要做些什么不同的事情?

4

3 回答 3

3

我知道这个问题已经很老了,但是这个答案可能对通过 Google 到达这里的人有用。您可以在另一个遍历中使用遍历node.scope.traverse,例如,如果您只想在CallExpression内部更改每个遍历try

module.exports = ({ types: t }) => ({
  visitor: {
    TryStatement(path) {
      const { scope, node } = path

      const traversalHandler = {
        CallExpression(path) {
          path.replaceWith(t.Identifier('foo'))
        }
      }

      scope.traverse(node, traversalHandler, this)
    }
  }
})
于 2019-12-21T05:05:21.117 回答
0

我似乎无法在path.scope.traverse.

已经快2年了,但我希望这能解决你的问题。

module.exports = ({ types: t }) => ({
    visitor: {
        CallExpression(path) {
            if (path.node.callee.name === 'require'
                && path.node.arguments.length === 1
                && t.isStringLiteral(path.node.arguments[0])
                && path.node.arguments[0].value === 'foo-bar'
            ) {
                this.localIdentifier = path.parent.id.name;
            }
            if(path.node.callee.name === this.localIdentifier){
                path.replaceWith(t.NumericLiteral(99))
            }
        }
    }
});
于 2019-05-11T12:44:15.307 回答
0

遍历parent scope,搜索节点:

function inScope(scope, nodeName) {
  if (!scope || !scope.bindings) return false

  let ret = false
  let cur = scope
  while (cur) {
    ret = cur.bindings[nodeName]
    if (cur === scope.parent || ret) {
      break
    }
    cur = scope.parent
  }

  return ret
}


// your visitor.js
  return {
    visitor: {
      CallExpression(path) {
        inScope(path.scope, path.node.name)
      }
  }

于 2021-08-08T07:08:06.253 回答