我有一个IJavaProject,我需要在该项目的类路径上找到资源,即getClassLoader().getResources()的等效项(注意:此调用返回Enumeration<URL>而不是单个URL)。

如何从Eclipse捆绑软件/插件检查Java项目的类路径,例如查找包含log4j.xml的所有类路径条目?

最佳答案

使用getPackageFragmentRoots()获取类路径中的等效项。对于每个根,您可以调用getNonJavaResources()以获得该根下的非Java事物,并且可以递归调用getChildren()以获得子级(以Java层次结构的方式)。最终,那些间接遍历的子级将成为Java源文件,您可以通过向其发送getUnderlyingResource()方法来确认它们。

这是一些代码:

private Collection<String> keys( IJavaProject project, String[] bundleNames ) throws CoreException, IOException {

    Set<String> keys = Sets.newLinkedHashSet();

    for( String bundleName : bundleNames ) {

        IPath path = new Path( toResourceName( bundleName ) );

        boolean found = false;

        IPackageFragmentRoot[] packageFragmentRoots = project.getPackageFragmentRoots();
        for( IPackageFragmentRoot root : packageFragmentRoots ) {
            found |= collectKeys( root, path, keys );
        }

        if( ! found ) {
            throw new BundleNotFoundException( bundleName );
        }
    }

    return keys;
}

private boolean collectKeys( IPackageFragmentRoot root, IPath path, Set<String> keys ) throws CoreException, IOException {
    IPath fullPath = root.getPath().append( path );
    System.out.println( "fullPath=" + fullPath );

    IFile file = root.getJavaProject().getProject().getFile( fullPath.removeFirstSegments( 1 ) );
    System.out.println( "file=" + fullPath );

    if( ! file.exists() ) {
        return false;
    }

    log.debug( "Loading " + file );

    InputStream stream = file.getContents( true );
    try {
        Properties p = load( file.getFullPath().toString(), stream );

        keys.addAll( keySet( p ) );
    } finally {
        stream.close();
    }

    return true;
}

protected String toResourceName( String bundleKey ) {

    String path = bundleKey.replace( '.', '/' );
    return path + ".properties";
}

10-07 21:56