符合中小企业对网站设计、功能常规化式的企业展示型网站建设
本套餐主要针对企业品牌型网站、中高端设计、前端互动体验...
商城网站建设因基本功能的需求不同费用上面也有很大的差别...
手机微信网站开发、微信官网、微信商城网站...
小编这次要给大家分享的是解决Java Synchronized锁失败问题,文章内容丰富,感兴趣的小伙伴可以来了解一下,希望大家阅读完这篇文章之后能够有所收获。
创新互联公司始终坚持【策划先行,效果至上】的经营理念,通过多达10年累计超上千家客户的网站建设总结了一套系统有效的推广解决方案,现已广泛运用于各行各业的客户,其中包括:成都房屋鉴定等企业,备受客户好评。
synchronized关键字,一般称之为”同步锁“,用它来修饰需要同步的方法和需要同步代码块,默认是当前对象作为锁的对象。
同步锁锁的是同一个对象,如果对象发生改变,则锁会不生效。
锁失败的代码:
public class IntegerSynTest { //线程实现Runnable接口 private static class Worker implements Runnable{ private Integer num; public Worker(Integer num){ this.num=num; } @Override public void run() { synchronized (num){ Thread thread = Thread.currentThread(); //System.identityHashCode:返回原生的hashCode值,不管Object对象是被重写;空引用的哈希代码为零 System.out.println(thread.getName()+"--@:---"+System.identityHashCode(num)); num++; System.out.println(thread.getName()+"------num:"+num+"---"+System.identityHashCode(num)); try { Thread.sleep(1000); } catch (InterruptedException e) { e.printStackTrace(); } System.out.println(thread.getName()+"------num:"+num+"---"+System.identityHashCode(num)); } } public static void main(String[] args) { Worker worker = new Worker(1); for (int i = 0; i < 5; i++) { new Thread(worker).start(); } } } }
锁失败的运行结果:
锁失败的原因:
1.num++ 的 .class 实现是这样的 Integer integer1 = this.num, integer2 = this.num = Integer.valueOf(this.num.intValue() + 1);
2.查看 Integer.valueOf()的源代码
这时发现,它是重新 new出一个新的Integer,这样的话,每 ++一次,那么就会产生一个新的对象,而Synchronize锁是锁同一个对象,当锁不同对象时,则会锁失败。
解决方法:
Synchronized同步锁只要锁的对象不发生改变即可,那么由此只需要声明一个对象,不修改它,锁这一个对象即可(还有其他方法暂不一一列举,以后也不会列举了)。
锁成功的代码
public class IntegerSynTest { //线程实现Runnable接口 private static class Worker implements Runnable{ private Integer num; /** * ---重点看这里--- * 声明要锁的对象 * ---重点看这里--- */ private Object object = new Object(); public Worker(Integer num){ this.num=num; } @Override public void run() { //修改锁对象 synchronized (num){ Thread thread = Thread.currentThread(); //System.identityHashCode:返回原生的hashCode值,不管Object对象是被重写;空引用的哈希代码为零 System.out.println(thread.getName()+"--@:---"+System.identityHashCode(num)); num++; System.out.println(thread.getName()+"------num:"+num+"---"+System.identityHashCode(num)); try { Thread.sleep(1000); } catch (InterruptedException e) { e.printStackTrace(); } System.out.println(thread.getName()+"------num:"+num+"---"+System.identityHashCode(num)); } } public static void main(String[] args) { Worker worker = new Worker(1); for (int i = 0; i < 5; i++) { new Thread(worker).start(); } } } }
锁成功的运行结果:
看完这篇关于解决Java Synchronized锁失败问题的文章,如果觉得文章内容写得不错的话,可以把它分享出去给更多人看到。