我正在寻找一种将org.eclipse.jdt.core.dom.ITypeBinding实例转换为org.eclipse.jdt.core.dom.Type实例的通用方法。尽管我觉得应该进行一些API调用,但是我找不到一个。

根据特定类型,似乎有多种方法可以手动执行此操作。

在没有所有这些特殊情况的情况下,是否有任何通用方法可以获取ITypeBinding和获取Type?也可以接受String并返回Type

更新

到目前为止,看来我确实必须处理所有这些特殊情况。这是这样做的第一个尝试。我确定这是不完全正确的,因此请仔细检查:

public static Type typeFromBinding(AST ast, ITypeBinding typeBinding) {
    if( ast == null )
        throw new NullPointerException("ast is null");
    if( typeBinding == null )
        throw new NullPointerException("typeBinding is null");

    if( typeBinding.isPrimitive() ) {
        return ast.newPrimitiveType(
            PrimitiveType.toCode(typeBinding.getName()));
    }

    if( typeBinding.isCapture() ) {
        ITypeBinding wildCard = typeBinding.getWildcard();
        WildcardType capType = ast.newWildcardType();
        ITypeBinding bound = wildCard.getBound();
        if( bound != null ) {
            capType.setBound(typeFromBinding(ast, bound)),
                wildCard.isUpperbound());
        }
        return capType;
    }

    if( typeBinding.isArray() ) {
        Type elType = typeFromBinding(ast, typeBinding.getElementType());
        return ast.newArrayType(elType, typeBinding.getDimensions());
    }

    if( typeBinding.isParameterizedType() ) {
        ParameterizedType type = ast.newParameterizedType(
            typeFromBinding(ast, typeBinding.getErasure()));

        @SuppressWarnings("unchecked")
        List<Type> newTypeArgs = type.typeArguments();
        for( ITypeBinding typeArg : typeBinding.getTypeArguments() ) {
            newTypeArgs.add(typeFromBinding(ast, typeArg));
        }

        return type;
    }

    // simple or raw type
    String qualName = typeBinding.getQualifiedName();
    if( "".equals(qualName) ) {
        throw new IllegalArgumentException("No name for type binding.");
    }
    return ast.newSimpleType(ast.newName(qualName));
}

最佳答案

我刚刚找到了可能更可取的替代解决方案。您可以使用org.eclipse.jdt.core.dom.rewrite.ImportRewrite,它管理编译单元的导入语句。使用Type addImport(ITypeBinding,AST),可以考虑现有的导入并根据需要添加新的导入,从而创建一个新的Type节点。

08-28 01:16