这个问题是Java和Maven特有的。请注意下面的附加限制,因为它们与其他问题不同。
我有几个Maven(Java)项目要分析。我拥有的是:
- 源代码
- maven使用目标/文件夹中的二进制文件编译了Jave代码
问题是:给定一个源代码文件(.java)和一个行号,我如何获得跨越该行的方法的完全限定名?如果该行不在方法中,则只输出null。可接受的实现语言有:Java、ruby或python。
你能用以下两种方式之一回答这个问题吗?
-
使用二进制并提取该行的限定方法名。(这可能涉及编织调试信息,但这是好的。)
-
直接使用给定的源文件,尝试解析它并使用AST。
使用特定的库(如BCEL)或任何第三方库(只要它们有良好的文档记录和可用性)也是可以的。
非常感谢您的大力帮助!
不幸的是,您的问题充满了缺点:
- 当然,您可以解析输入源(通过Javacc或ANTLR解析器),直到到达所需的行。但是解析同一个源似乎是浪费精力,因为您已经有了
.class
文件 - 因此,分析
.class
文件似乎更好。但不幸的是,您无法保证这是您的行所在的类,因为在同一源文件中可以定义多个类
Augh!这让我想到了一种复杂的解决方案:
我将声明一个包含所有登录名的类:
public class SourceMethodsIndexer
{
private final SortedMap<Integer, List<Method>> indexOfMethodsByFirstLineNumber;
}
构造函数将是这样的:
public SourceMethodsIndexer(File sourceFile)
并且应该完成以下任务:
1.浏览与目标包相关的类目录。
File targetPackageDir=getTargetPackageDir(sourceFile);
File[] classFiles=targetPackageDir.listFiles(new FileFilter(){
public boolean accept(File dir, String name){
return name.endsWith(".class");
}
});
2.使用ApacheBCEL收集属于输入源文件的所有非公共类(您可以调用JavaClass.getSourceFileName()
来过滤类),以及与输入源文件名称对应的公共类。
Collection<JavaClass> targetClasses=getNonPublicClasses(classFiles, sourceFile.getName());
targetClasses.add(publicClass);
3.然后收集每个类中的所有方法。
Set<Method> targetMethods=new HashSet<Method>(1024);
for (JavaClass javaClass:targetClasses)
{
targetMethods.addAll(Arrays.asList(javaClass.getMethods()));
}
4.现在,您可以直接搜索行号,也可以先按行号对方法进行索引,以便稍后更快地访问它们:JavaClass.getMethods()[n].getLineNumberTable().getSourceLine(0)
(注意可能有重复的值)。
this.indexOfMethodsByFirstLineNumber=new TreeMap<Integer, List<Method>>((int)(1.7d*methods.size()));
for (Method method: methods)
{
// Note: The -1 in this line stands to make the SortedMap work properly when searching for ranges.
int firstLine=getLineNumberTable().getSourceLine(0)-1;
List<Method> methodsInTheSameLine=indexOfMethodsByFirstLineNumber.get(firstLine);
if (methodsInTheSameLine==null)
{
methodsInTheSameLine=new ArrayList<Method>();
indexOfMethodsByFirstLineNumber.put(firstLine,methodsInTheSameLine);
}
methodsInTheSameLine.add(method);
}
5.公开一种进行搜索的方法:
public Method getMethodByLine(int lineNumber)
{
Set<Method> methodsInTheSameLine=this.indexOfMethodsByFirstLineNumber.headMap(lineNumber).lastKey();
if (methodsInTheSameLine.size()==0)
{
// There are no methods method in that line: Absurd.
}
else if (methodsInTheSameLine.size()>1)
{
// There are more than one method in that line. Hardly probable, but possible.
}
else
{
// There is one method in that line:
return methods.get(0);
}
}
有许多开源Maven插件可以分析源代码,并根据每个方法进行报告。仔细研究其中的一些可能是你最好的选择。
示例包括Checkstyle、FindBugs、PMD、JDepend、JavaNCSS。
还可以看看SonarQube。