同步多线程与单线程

Synchronized multi-threading vs single thread

我正在尝试通过多线程和单线程计算 100 个数字。由于synchronized关键字一次只允许一个线程(有点像单线程),所以如果忽略创建和同步线程的耗时影响,下面这两个方法应该具有大致相同的运行时间?

使用同步的多线程:

public synchronized static void increment() {
    sum++;
}

public static void main(String[] args) {
    Thread t1 = new Thread(new Runnable() {
        @Override
        public void run() {
            for (int i = 0; i < 50; i++) {
                increment();
            }
        }
    });
    Thread t2 = new Thread(new Runnable() {
        @Override
        public void run() {
            for (int i = 0; i < 50; i++) {
                increment();
            }
        }
    });
    t1.start();;
    t2.start();
    try {
        t1.join();
        t2.join();
    } catch (InterruptedException e) {
        e.printStackTrace();
    }
    System.out.println(sum);

单线程:

public static void main(String[] args) {
    for (int i = 0; i < 100; i++) {
        sum++
    }

    System.out.println(sum);
}

Java 非常擅长多线程处理,但是创建和同步线程的开销很大,所以如果对于像数到 100 这样的简单问题,您实际上看到一个增加运行时间。