Di seguito è riportato un banale programma java. Ha un contatore chiamato "cnt" che viene incrementato e quindi aggiunto a un elenco chiamato "monitor". "cnt" viene incrementato da più thread e i valori vengono aggiunti a "monitor" da più thread.Concorrenza in Java utilizzando blocchi sincronizzati che non danno risultati previsti
Alla fine del metodo "go()", cnt e monitor.size() devono avere lo stesso valore, ma non lo fanno. monitor.size() ha il valore corretto.
Se si modifica il codice rimuovendo il commento da uno dei blocchi sincronizzati commentati e commentando quello attualmente non commentato, il codice produce i risultati previsti. Inoltre, se imposti il conteggio dei thread (THREAD_COUNT) su 1, il codice produce i risultati previsti.
Questo può essere riprodotto solo su una macchina con più core reali.
public class ThreadTester {
private List<Integer> monitor = new ArrayList<Integer>();
private Integer cnt = 0;
private static final int NUM_EVENTS = 2313;
private final int THREAD_COUNT = 13;
public ThreadTester() {
}
public void go() {
Runnable r = new Runnable() {
@Override
public void run() {
for (int ii=0; ii<NUM_EVENTS; ++ii) {
synchronized(monitor) {
synchronized(cnt) { // <-- is this synchronized necessary?
monitor.add(cnt);
}
// synchronized(cnt) {
// cnt++; // <-- why does moving the synchronized block to here result in the correct value for cnt?
// }
}
synchronized(cnt) {
cnt++; // <-- why does moving the synchronized block here result in cnt being wrong?
}
}
// synchronized(cnt) {
// cnt += NUM_EVENTS; // <-- moving the synchronized block here results in the correct value for cnt, no surprise
// }
}
};
Thread[] threads = new Thread[THREAD_COUNT];
for (int ii=0; ii<THREAD_COUNT; ++ii) {
threads[ii] = new Thread(r);
}
for (int ii=0; ii<THREAD_COUNT; ++ii) {
threads[ii].start();
}
for (int ii=0; ii<THREAD_COUNT; ++ii) {
try { threads[ii].join(); } catch (InterruptedException e) { }
}
System.out.println("Both values should be: " + NUM_EVENTS*THREAD_COUNT);
synchronized (monitor) {
System.out.println("monitor.size() " + monitor.size());
}
synchronized (cnt) {
System.out.println("cnt " + cnt);
}
}
public static void main(String[] args) {
ThreadTester t = new ThreadTester();
t.go();
System.out.println("DONE");
}
}
L'osservazione che realmente sta succedendo è questa: Integer tmp = new Integer (cnt + 1); era la parte che mi mancava. Ho dimenticato di considerare l'immutabilità e l'autoboxing in questo. – mangotang