CollectionUtils.isNotEmpty 和就地检查之间的性能差异

Performance difference between CollectionUtils.isNotEmpty and In Place check

最近我在做 微基准测试 时,我注意到 CollectionUtils.isNotEmpty方法耗时较多。我认为我可能有错别字或疏忽。我用集合不为空且大小大于零的就地检查替换了代码。事实证明它要快得多。

我将方法 CollectionUtils.isNotEmpty 的源代码提取到我的代码中,速度也更快。

造成这种差异的原因是什么?

注意:我知道微基准测试不会对 JVM 优化的整个领域有所帮助。我特意在循环里放了100次,如果超过了JVM就去优化了。检查了Windows和Linux中的代码,性能差异相似。

import java.util.Arrays;
import java.util.Collection;
import java.util.List;

import org.apache.commons.collections4.CollectionUtils;

public class TestCollectionUtilsPerf {

public static void main(String[] args) {
    List<String> stringList = Arrays
            .asList(new String[] { "StringOne", "StringTwo", "StringThree", "StringFour", "StringFive" });

    long startTime = System.nanoTime();
    for (int i = 0; i < 100; i++) {
        if (stringList != null && stringList.size() != 0) {
            continue;
        }
    }

    System.out.format("Manual Inplace Check Time taken is : %d µs %n", (System.nanoTime() - startTime) / 1000);

    startTime = System.nanoTime();
    for (int i = 0; i < 100; i++) {
        if (CollectionUtils.isNotEmpty(stringList)) {
            continue;
        }
    }

    System.out.format("Collection Utils Time taken is     : %d µs %n", (System.nanoTime() - startTime) / 1000);

    startTime = System.nanoTime();
    for (int i = 0; i < 100; i++) {
        if (isNotEmpty(stringList)) {
            continue;
        }
    }

    System.out.format("Manual Method Check Time taken is  : %d µs %n", (System.nanoTime() - startTime) / 1000);

}

public static boolean isEmpty(final Collection<?> coll) {
    return coll == null || coll.isEmpty();
}

public static boolean isNotEmpty(final Collection<?> coll) {
    return !isEmpty(coll);
}

}

输出:

手动就地检查所用时间为:61 µs
收集实用程序所用时间为:237193 µs
手动方法检查所用时间为:66 µs

可能加载class或者jar包的时间比较长,可以尝试在最开始调用CollectionUtils.isEmpty

public static void main(String[] args) {
    List<String> stringList = Arrays
            .asList(new String[] { "StringOne", "StringTwo", "StringThree", "StringFour", "StringFive" });
    //try it at the begging to load the class
    CollectionUtils.isEmpty(stringList);
    ......

}

我的输出但是

Manual Inplace Check Time taken is : 10 µs 
Collection Utils Time taken is     : 21 µs 
Manual Method Check Time taken is  : 25 µs