2015-09-07 11:44:36 -06:00
|
|
|
|
// concurrency/SimpleMicroBenchmark.java
|
2015-11-14 16:18:05 -08:00
|
|
|
|
// <20>2016 MindView LLC: see Copyright.txt
|
2015-06-15 17:47:35 -07:00
|
|
|
|
// The dangers of microbenchmarking.
|
|
|
|
|
import java.util.concurrent.locks.*;
|
|
|
|
|
|
|
|
|
|
abstract class Incrementable {
|
|
|
|
|
protected long counter = 0;
|
|
|
|
|
public abstract void increment();
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
class SynchronizingTest extends Incrementable {
|
|
|
|
|
@Override
|
|
|
|
|
public synchronized void increment() { ++counter; }
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
class LockingTest extends Incrementable {
|
|
|
|
|
private Lock lock = new ReentrantLock();
|
|
|
|
|
@Override
|
|
|
|
|
public void increment() {
|
|
|
|
|
lock.lock();
|
|
|
|
|
try {
|
|
|
|
|
++counter;
|
|
|
|
|
} finally {
|
|
|
|
|
lock.unlock();
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
public class SimpleMicroBenchmark {
|
|
|
|
|
static long test(Incrementable incr) {
|
|
|
|
|
long start = System.nanoTime();
|
|
|
|
|
for(long i = 0; i < 10000000L; i++)
|
|
|
|
|
incr.increment();
|
|
|
|
|
return System.nanoTime() - start;
|
|
|
|
|
}
|
|
|
|
|
public static void main(String[] args) {
|
|
|
|
|
long synchTime = test(new SynchronizingTest());
|
|
|
|
|
long lockTime = test(new LockingTest());
|
|
|
|
|
System.out.printf("synchronized: %1$10d\n", synchTime);
|
|
|
|
|
System.out.printf("Lock: %1$10d\n", lockTime);
|
|
|
|
|
System.out.printf("Lock/synchronized = %1$.3f",
|
|
|
|
|
(double)lockTime/(double)synchTime);
|
|
|
|
|
}
|
2015-09-07 11:44:36 -06:00
|
|
|
|
}
|
|
|
|
|
/* Output:
|
2015-06-15 17:47:35 -07:00
|
|
|
|
synchronized: 243572959
|
|
|
|
|
Lock: 365176719
|
|
|
|
|
Lock/synchronized = 1.499
|
2015-09-07 11:44:36 -06:00
|
|
|
|
*/
|