美文网首页
线程安全问题

线程安全问题

作者: QinRenMin | 来源:发表于2018-03-09 22:19 被阅读0次
    • 线程产生安全性问题的Reason:
      1 多个线程操作共享的数据。
      2 操作共享数据的代码是多条的。
      当一个线程正在执行共享数据的多条代导致问题代码的过程中,其他线程也参与了运算,就会导致问题的产生。
    • 解决问题的思路:
      就是将操作共享数据的线程封装起来,当有线程执行这代码的时候,其他线程是不可以参与运算的。必须要当前线程把这些代码都执行完毕后,其他线程才可以参与运算。
    • 解决问题的方法
      使用同步代码块
    synchronoized(对象)
    {
        需要被同步的代码块;
    }
    
    

    同步的好处:解决了线程安全问题;
    同步的弊端:相对降低了效率,因为同步外的线程都会判断同步锁;
    同步的前提:必须有多个线程使用同一个同步锁。

    class TDemo implements Runnable {
        
        int i = 10;
        public void run()
        {
            while(true){
                if(i > 0)
                {
                    try
                    {
                        Thread.sleep(10);
                    }
                    catch(InterruptedException e)
                    {
                    }
                    System.out.println(Thread.currentThread().getName()+"--"+i--);
                
                }
            }
        }
    }
    public class TongBu {
    
        public static void main(String[] args) {
            // TODO Auto-generated method stub
            TDemo d = new TDemo();
            Thread t1 = new Thread(d);
            Thread t2 = new Thread(d);
            Thread t3 = new Thread(d);
            t1.start();
            t2.start();
            t3.start();
        }
    
    }
    
    
    image.png

    以上代码会出现线程安全问题

    解决如下:

    class TDemo implements Runnable {
        
        int i = 10;
        public void run()
        {
            while(true){
                synchronized (this){
                    if(i > 0)
                    {
                        try
                        {
                            Thread.sleep(10);
                        }
                        catch(InterruptedException e)
                        {
                        }
                        System.out.println(Thread.currentThread().getName()+"--"+i--);
                    
                    }
                }
                }
                
        }
    }
    public class TongBu {
    
        public static void main(String[] args) {
            // TODO Auto-generated method stub
            TDemo d = new TDemo();
            Thread t1 = new Thread(d);
            Thread t2 = new Thread(d);
            Thread t3 = new Thread(d);
            t1.start();
            t2.start();
            t3.start();
        }
    
    }
    
    image.png

    相关文章

      网友评论

          本文标题:线程安全问题

          本文链接:https://www.haomeiwen.com/subject/begmfftx.html