这是一种简单的测试方法:

public static boolean isPowerOfTwo(final int i) {
    return (i > 0) && (i & (i - 1)) == 0;
}


要获取字节码,我在.class文件上运行javap -c

public static boolean isPowerOfTwo(int);
  Code:
     0: iload_0
     1: ifle          14
     4: iload_0
     5: iload_0
     6: iconst_1
     7: isub
     8: iand
     9: ifne          14
    12: iconst_1
    13: ireturn
    14: iconst_0
    15: ireturn


如您所见,有16个字节的代码指令。

现在我运行一个简单的单元测试

@Test
public void testPowerOfTwoInt() {
    assertFalse(Util.isPowerOfTwo(Integer.MAX_VALUE));
    assertFalse(Util.isPowerOfTwo(0));
    assertTrue(Util.isPowerOfTwo(64));
    assertTrue(Util.isPowerOfTwo(128));
    assertFalse(Util.isPowerOfTwo(-128));
}


但是JaCoCo告诉我,isPowerOfTwo仅包含12个字节的代码指令:

为什么只有12个字节而不是16个字节的代码指令?该类文件由Eclipse编译器生成。 JaCoCo是否运行另一个类文件?

最佳答案

再次查看输出-javap仅报告12条指令:

public static boolean isPowerOfTwo(int);
  Code:
     0: iload_0
     1: ifle          14
//There's no 2 or 3 here...
     4: iload_0
     5: iload_0
     6: iconst_1
     7: isub
     8: iand
     9: ifne          14
//and no 10 or 11 here.
    12: iconst_1
    13: ireturn
    14: iconst_0
    15: ireturn

08-06 14:30