详解Java多线程与高并发(四)__Atomicxxx

AtomicXxx

 * 同步类型

 * 原子操作类型。 Atomicxxx中的每个方法都是原子操作。可以保证线程安全。

效果同加synchronize,保证了原子性。

如AtomicInteger代码演示如下:

public class Test_11 {

        AtomicInteger count = new AtomicInteger(0);
        
        void m(){
                for(int i = 0; i < 10000; i++){
                        /*if(count.get() < 1000)*/
                                count.incrementAndGet();    //先++,然后get,该方法是原子操作。
                }
        }
        public static void main(String[] args) {
                final Test_11 t = new Test_11();
                List threads = new ArrayList<>();
                for(int i = 0; i < 10; i++){
                        threads.add(new Thread(new Runnable() {
                                @Override
                                public void run() {
                                        t.m();
                                }
                        }));
                }
                for(Thread thread : threads){
                        thread.start();
                }
                for(Thread thread : threads){
                        try {
                                thread.join();
                        } catch (InterruptedException e) {
                                
                                e.printStackTrace();
                        }
                }
                System.out.println(t.count.intValue());
        }
}

 

你可能感兴趣的:(Java多线程与高并发)