欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

深入同步访问共享的可变数据分析

程序员文章站 2023-12-18 18:03:10
如果对共享的可变数据的访问不能同步,其后果非常可怕,即使这个变量是原子可读写的。下面考虑一个线程同步方面的问题。对于线程同步,java类库提供了thread.stop的方法...
如果对共享的可变数据的访问不能同步,其后果非常可怕,即使这个变量是原子可读写的。
下面考虑一个线程同步方面的问题。对于线程同步,java类库提供了thread.stop的方法,但是这个方法并不值得提倡,因为它本质上是不安全的。使用轮询(polling)的方式会更好,例如下面这段程序。
复制代码 代码如下:

import java.util.concurrent.timeunit;
public class stopthread {
 /**
  * @param args
  */

 private static boolean stoprequested;

 public static void main(string[] args)
  throws interruptedexception{

  thread backgroundthread = new thread(new runnable() {

   @override
   public void run() {

    int i = 0;
    while(!stoprequested){
     i++;
     system.out.println(i);
    }
   }
  });
  backgroundthread.start();
  timeunit.seconds.sleep(1);
  stoprequested = true;
 }
}

你可能会认为这个程序在运行大约一秒后,由于主线程把stoprequested设成了true,使得后台的新线程停止,其实不然,因为后台线程看不到这个值的变化,所以会一直无线循环下去,这就是没有对数据进行同步的后果。因此让我们用同步的方式来实现这个任务。
复制代码 代码如下:

import java.util.concurrent.timeunit;
public class stopthread {
 /**
  * @param args
  */

 private static boolean stoprequested;

 private static synchronized void requeststop(){
  stoprequested = true;
 }
 private static synchronized boolean stoprequested(){
  return stoprequested;
 }

 public static void main(string[] args)
  throws interruptedexception{

  thread backgroundthread = new thread(new runnable() {

   @override
   public void run() {

    int i = 0;
    while(!stoprequested()){
     i++;
     system.out.println(i);
    }
   }
  });
  backgroundthread.start();
  timeunit.seconds.sleep(1);
  requeststop();
 }
}

这样就实现了数据的同步,值得注意的是,写方法(requeststop)和读方法(stoprequested)都需要被同步,否则仍然不是真正意义上的同步。
另外,我们可以使用volatile这个变量修饰符来更加简单地完成同步任务。
复制代码 代码如下:

import java.util.concurrent.timeunit;
public class stopthread {
 /**
  * @param args
  */

 private static volatile boolean stoprequested;

 public static void main(string[] args)
  throws interruptedexception{

  thread backgroundthread = new thread(new runnable() {

   @override
   public void run() {

    int i = 0;
    while(!stoprequested){
     i++;
     system.out.println(i);
    }
   }
  });
  backgroundthread.start();
  timeunit.seconds.sleep(1);
  stoprequested = true;
 }
}

上一篇:

下一篇: