解析Java编程之Synchronized锁住的对象
图片上传 密码修改为 synchronized是java中用于同步的关键字,一般我们通过synchronized锁住一个对象,来进行线程同步。我们需要了解在程序执行过程中,synchronized锁住的到底是哪个对象,否则我们在多线程的程序就有可能出现问题。
看下面的代码,我们定义了一个静态变量n,在run方法中,我们使n增加10,然后在main方法中,我们开辟了100个线程,来执行n增加的操作,如果线程没有并发执行,那么n最后的值应该为1000,显然下面的程序执行完结果不是1000,因为我们没有进行线程同步。
import java.util.concurrent.timeunit; public class synchronizedtest1 extends thread { public static int n = 0; public void run() { try { //使n自加10次 for (int i = 0; i < 10; i++) { n = n + 1; timeunit.milliseconds.sleep(10); } } catch (interruptedexception e) { e.printstacktrace(); } } public static void main(string[] args) throws interruptedexception { thread[] threads = new thread[100]; for (int i = 0; i < threads.length; i++) { threads[i] = new synchronizedtest1(); threads[i].start(); } //使所有其他线程执行完,再继续执行main线程,这样得出的n是最终的结果 for (thread thread : threads) { thread.join(); } system.out.println(n); } }
为了实现同步,我们修改上面的代码,增加一个increase方法,如下。但是当我们执行下面的代码时,会发现n仍然不是1000.
import java.util.concurrent.timeunit; public class synchronizedtest2 extends thread { public static int n = 0; public synchronized void increase() { n++; } public void run() { try { //使n自加10次 for (int i = 0; i < 10; i++) { increase(); timeunit.milliseconds.sleep(10); } } catch (interruptedexception e) { e.printstacktrace(); } } public static void main(string[] args) throws interruptedexception { thread[] threads = new thread[100]; for (int i = 0; i < threads.length; i++) { threads[i] = new synchronizedtest2(); threads[i].start(); } //使所有其他线程执行完,再继续执行main线程,这样得出的n是最终的结果 for (thread thread : threads) { thread.join(); } system.out.println(n); } }
其实原因很简单,上面的多个线程在执行时根本就没有竞争同一个对象锁。当我们执行用synchronized修饰的非静态方法时,线程会首先获得调用这个方法的对象的锁,然后才能继续执行代码。那么调用这个方法的到底是哪个对象,是this对象。在上面的例子中,thread[i]所代表的线程获取的锁对象是thread[i]对象,也就是该线程对象本身。因此上面所开辟的100个线程只要获得自身对象就可以执行,这样就使同步失去了作用。
我们再次修改代码:即将increase方法改为i静态的,此时程序执行完后n的值为1000。
import java.util.concurrent.timeunit; public class synchronizedtest3 extends thread { public static int n = 0; public synchronized static void increase() { n++; } public void run() { try { //使n自加10次 for (int i = 0; i < 10; i++) { increase(); timeunit.milliseconds.sleep(10); } } catch (interruptedexception e) { e.printstacktrace(); } } public static void main(string[] args) throws interruptedexception { thread[] threads = new thread[100]; for (int i = 0; i < threads.length; i++) { threads[i] = new synchronizedtest3(); threads[i].start(); } //使所有其他线程执行完,再继续执行main线程,这样得出的n是最终的结果 for (thread thread : threads) { thread.join(); } system.out.println(n); } }
当synchronized 修饰static方法,它锁住的是该类的class对象,而不是某一个具体对象。在上面的例子中,它锁住的就是synchronizedtest3.class对象。在程序执行过程中,类的class对象只有一份,所以上面线程竞争的是同一个对象锁。
下面是对synchronized锁住对象的总结:
(1)对于同步方法,锁当前对象(this)
(2)对于静态同步方法,锁当前类的class对象
(3)对于同步代码块,锁住的是synchronized括号中的对象
总结
以上就是本文关于解析java编程之synchronized锁住的对象的全部内容,希望对大家有所帮助。感兴趣的朋友可以继续参阅本站:java编程redisson实现分布式锁代码示例、java并发编程之重入锁与读写锁等,有什么问题可以直接留言,小编会及时回复大家的。下面推荐本站基本java编程相关的书籍,免费下载,供朋友们学习参考。
java初级开发工程师面试题汇总.pdf
java经典实例(第三版) 完整版 ([美]达尔文) 中文pdf扫描版
希望大家能够喜欢。