2つの異なるプログラムが1つのタスクを実行するのに必要な時間を測定したかったのです。1つのプログラムはスレッドを使用し、もう1つのプログラムは使用しませんでした。タスクは2000000までカウントすることでした。
スレッドのあるクラス:
public class Main {
private int res1 = 0;
private int res2 = 0;
public static void main(String[] args) {
Main m = new Main();
long startTime = System.nanoTime();
m.func();
long endTime = System.nanoTime();
long duration = endTime - startTime;
System.out.println("duration: " + duration);
}
public void func() {
Thread t1 = new Thread(new Runnable() {
@Override
public void run() {
for (int i = 0; i < 1000000; i++) {
res1++;
}
}
});
Thread t2 = new Thread(new Runnable() {
@Override
public void run() {
for (int i = 1000000; i < 2000000; i++) {
res2++;
}
}
});
t1.start();
t2.start();
System.out.println(res1 + res2);
}
}
スレッドのないクラス:
public class Main {
private int res = 0;
public static void main(String[] args) {
Main m = new Main();
long startTime = System.nanoTime();
m.func();
long endTime = System.nanoTime();
long duration = endTime - startTime;
System.out.println("duration: " + duration);
}
public void func() {
for (int i = 0; i < 2000000; i++) {
res++;
}
System.out.println(res);
}
}
10回の測定後、平均結果(ナノ秒単位)は次のとおりです。
With threads: 1952358
Without threads: 7941479
私はそれを正しくやっていますか?
どうして、2つのスレッドを使用すると、2倍だけでなく、4倍速くなるのでしょうか。