OnJava8-Examples/lowlevel/SynchronizedComparison.java

92 lines
2.0 KiB
Java
Raw Normal View History

2017-01-14 00:34:41 -08:00
// lowlevel/SynchronizedComparison.java
// (c)2017 MindView LLC: see Copyright.txt
// We make no guarantees that this code is fit for any purpose.
// Visit http://OnJava8.com for more book information.
// Synchronizing blocks instead of entire methods
// speeds up access.
import java.util.*;
import java.util.stream.*;
import java.util.concurrent.*;
import java.util.concurrent.atomic.*;
import onjava.Nap;
abstract class Guarded {
AtomicLong callCount = new AtomicLong();
public abstract void method();
@Override
public String toString() {
return getClass().getSimpleName() +
": " + callCount.get();
}
}
class SynchronizedMethod extends Guarded {
public synchronized void method() {
new Nap(10);
callCount.incrementAndGet();
}
}
class CriticalSection extends Guarded {
public void method() {
new Nap(10);
synchronized(this) {
callCount.incrementAndGet();
}
}
}
class Caller implements Runnable {
private Guarded g;
public Caller(Guarded g) { this.g = g; }
2017-01-14 15:50:24 -08:00
private AtomicLong successfulCalls =
new AtomicLong();
2017-01-14 00:34:41 -08:00
private AtomicBoolean stop =
new AtomicBoolean(false);
class Stop extends TimerTask {
@Override
public void run() { stop.set(true); }
}
@Override
public void run() {
new Timer().schedule(new Stop(), 2500);
2017-01-14 15:50:24 -08:00
while(!stop.get()) {
2017-01-14 00:34:41 -08:00
g.method();
2017-01-14 15:50:24 -08:00
successfulCalls.getAndIncrement();
}
System.out.println(
"-> " + successfulCalls.get());
2017-01-14 00:34:41 -08:00
}
}
public class SynchronizedComparison {
static void test(Guarded g) {
List<CompletableFuture<Void>> callers =
Stream.of(
new Caller(g),
new Caller(g),
new Caller(g),
new Caller(g))
.map(CompletableFuture::runAsync)
.collect(Collectors.toList());
callers.forEach(CompletableFuture::join);
System.out.println(g);
}
public static void main(String[] args) {
test(new CriticalSection());
test(new SynchronizedMethod());
}
}
/* Output:
2017-01-14 15:50:24 -08:00
-> 152
-> 152
-> 153
-> 153
CriticalSection: 610
-> 44
-> 28
-> 62
-> 24
SynchronizedMethod: 158
2017-01-14 00:34:41 -08:00
*/