我从 Eclipse wiki (http://wiki.eclipse.org/JDT/FAQ#From_an_IJavaElement_to_its_declaring_ASTNode) 阅读了这篇文章,但我仍然无法从 IMethod 转换为其相应的 MethodDeclaration。

我有一个扩展点,它向 IMethod 对象添加了一个弹出菜单。拥有这个 IMethod 对象,我想用 ASTVisitor 访问它。

这是我尝试从 IMethod 转换为 MethodDeclaration 的方法

public static MethodDeclaration convertToAstNode(final IMethod method) throws JavaModelException
{
    final ICompilationUnit compilationUnit = method.getCompilationUnit();

    final ASTParser astParser = ASTParser.newParser( AST.JLS4 );
    astParser.setSource( compilationUnit );
    astParser.setKind( ASTParser.K_COMPILATION_UNIT );
    astParser.setResolveBindings( true );
    astParser.setBindingsRecovery( true );

    final ASTNode rootNode = astParser.createAST( null );

    final CompilationUnit compilationUnitNode = (CompilationUnit) rootNode;

    final String key = method.getKey();

    final ASTNode javaElement = compilationUnitNode.findDeclaringNode( key );

    final MethodDeclaration methodDeclarationNode = (MethodDeclaration) javaElement;

    return methodDeclarationNode;
}

我错过了什么?

最佳答案

我意识到这个问题现在已经很老了,但我想发布这个解决方案,以防 future 的 Google 员工偶然发现它:)

在评论中发布的 workaround EijiAdachi 应该可以工作,但是我在寻找解决方案时发现了一种更“正确”的方法来做到这一点。

为了让 ASTNode 正确解析绑定(bind),首先需要完全解析页面的内容。这是通过(有点奇怪的名字恕我直言)ASTNode.accept(ASTVisitor) 方法完成的。因此,如果您继承 ASTVisitor,您可以覆盖您关心的所有 ASTNode 类型的访问方法,并将它们添加到 AST 完全解析后可获得的数据结构中。

此示例将使 CompilationUnit 根节点中的所有 MethodDeclaration 节点均可访问(有关如何通过 ASTParser 类获取该节点,请参阅 OP):

public class MethodVisitor extends ASTVisitor {
  private final List <MethodDeclaration> methods = new ArrayList <> ();

  @Override
  public boolean visit (final MethodDeclaration method) {
    methods.add (method);
    return super.visit (method);
  }

  /**
   * @return an immutable list view of the methods discovered by this visitor
   */
  public List <MethodDeclaration> getMethods () {
    return Collections.unmodifiableList (methods);
  }
}

任何其他 ASTNode 子类型都可以使用完全相同的过程进行四舍五入(您可以创建单独的访问者类型或将其全部放在一个中)。

如果有人感兴趣,可以在 this tutorial article 中查找更完整的示例。

关于eclipse - 如何从 JavaElement 转换为其声明的 ASTNode?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/12488318/

10-16 01:57