繁体   English   中英

Java 多线程更新同一个变量时的多线程

[英]Java multi threading when multiple threads updating same variable

这是程序

public class Thread2 implements Runnable {

    private static int runTill = 10000;
    private static int count = 0;
    @Override
    public void run() {
        for(int i=0;i<runTill;i++) {
            count++;
        }
    }
    
    public static void main(String s[]) {
        int iteration = 10;
        for(int i = 0; i < iteration ;i++) {
            Thread t = new Thread(new Thread2());
            t.start();
        }
        
        try {
            Thread.sleep(1000);
        } catch (InterruptedException e) {
            // TODO Auto-generated catch block
            e.printStackTrace();
        }
        
        System.out.println("Expected : "+(iteration * runTill));
        System.out.println("Actual : "+count);
    }

}

最后我希望计数等于(预期:100000)。 我怎样才能做到这一点?

count++的调用不是原子的:它首先必须加载count ,递增它,然后将新值存储在变量中。 如果没有同步,线程将在执行此操作期间交错。

获得所需内容的一种简单方法是使用AtomicInteger

private static AtomicInteger count = new AtomicInteger();

@Override
public void run() {
    for(int i=0;i<runTill;i++) {
        count.incrementAndGet();
    }
}

使用“比较和设置”而不是“增量和获取”

private static AtomicInteger count = new AtomicInteger();

@Override
public void run() {
    for(int i=0;i<runTill;i++) {

        //note: another thread might reach this point at the same time when i is 9,999
        // (especially if you have other codes running prior to the increment within the for loop)
        // then count will be added 2x if you use incrementAndGet
        boolean isSuccessful = count.compareAndSet(i, i+1);

        if(!isSuccessful) 
            System.out.println("number is not increased (another thread already updated i)");
    }
}

正如评论所暗示的,除了需要同步访问( count ,在这里成为AtomicInteger )之外,应该使用Thread.join()等待线程完成,而不是“猜测”它们的运行时:

import java.util.ArrayList;
import java.util.List;
import java.util.concurrent.atomic.AtomicInteger;

public class Thread2 implements Runnable {

    private static int runTill = 10000;
    private static AtomicInteger count = new AtomicInteger();

    @Override
    public void run() {
        for (int i = 0; i < runTill; i++) {
            count.incrementAndGet();
        }
    }

    public static void main(String s[]) {
        int iteration = 10;
        List<Thread> threads = new ArrayList<Thread>();
        for (int i = 0; i < iteration; i++) {
            Thread t = new Thread(new Thread2());
            threads.add(t);
            t.start();
        }

        try {
            for (Thread t : threads)
                t.join();
        } catch (InterruptedException ie) {
            ie.printStackTrace();
        }

        System.out.println("Expected : " + (iteration * runTill));
        System.out.println("Actual : " + count);
    }
}

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM