我正在做一些测试,以了解使用 getter/setter 和直接字段访问之间的速度差异。我写了一个简单的基准测试应用程序,如下所示:
public class FieldTest {
private int value = 0;
public void setValue(int value) {
this.value = value;
}
public int getValue() {
return this.value;
}
public static void doTest(int num) {
FieldTest f = new FieldTest();
// test direct field access
long start1 = System.nanoTime();
for (int i = 0; i < num; i++) {
f.value = f.value + 1;
}
f.value = 0;
long diff1 = System.nanoTime() - start1;
// test method field access
long start2 = System.nanoTime();
for (int i = 0; i < num; i++) {
f.setValue(f.getValue() + 1);
}
f.setValue(0);
long diff2 = System.nanoTime() - start2;
// print results
System.out.printf("Field Access: %d ns\n", diff1);
System.out.printf("Method Access: %d ns\n", diff2);
System.out.println();
}
public static void main(String[] args) throws InterruptedException {
int num = 2147483647;
// wait for the VM to warm up
Thread.sleep(1000);
for (int i = 0; i < 10; i++) {
doTest(num);
}
}
}
每当我运行它时,我都会得到一致的结果,例如: http: //pastebin.com/hcAtjVCL
我想知道是否有人可以向我解释为什么字段访问似乎比 getter/setter 方法访问慢,以及为什么最后 8 次迭代执行得非常快。
编辑:考虑到assylias
和Stephen C
评论后,我将代码更改为http://pastebin.com/Vzb8hGdc,结果略有不同:http: //pastebin.com/wxiDdRix。