7. ThreadLocal类以及应用技巧 (2)

这是懒汉式单例模式的代码结构,我门完全可以效仿该思路去设计一个从当前线程中拿 User 的办法,所以将程序修改如下:

public class ThreadScopeShareData { //不需要在外面定义threadLocal了,放到User类中了 // private static ThreadLocal<User> threadLocal = new ThreadLocal<User>(); public static void main(String[] args) { for(int i = 0; i < 2; i ++) { new Thread(new Runnable() { @Override public void run() { int data = new Random().nextInt(); System.out.println(Thread.currentThread().getName() + " has put a data: " + data); //这里直接用User去调用getThreadLocal这个静态方法获取本线程范围内的一个User对象 //这里就优雅多了,我完全不用关心如何去拿该线程中的对象,如何把对象放到threadLocal中 //我只要拿就行,而且拿出来的肯定就是当前线程中的对象,原因看下面User类中的设计 User.getThreadInstance().setName("name" + data); User.getThreadInstance().setAge(data); new TestA().getData(); new TestB().getData(); } }).start(); } } static class TestA { public void getData() { //还是调用这个静态方法拿,因为刚刚已经拿过一次了,threadLocal中已经有了 User user = User.getThreadInstance(); System.out.println("A get data from " + Thread.currentThread().getName() + ": " + user.getName() + "," + user.getAge()); } } static class TestB { public void getData() { User user = User.getThreadInstance(); System.out.println("A get data from " + Thread.currentThread().getName() + ": " + user.getName() + "," + user.getAge()); } } } class User { private User() {} private static ThreadLocal<User> threadLocal = new ThreadLocal<User>(); //注意,这不是单例,每个线程都可以new,所以不用synchronized, //但是每个threadLocal中是单例的,因为有了的话就不会再new了 public static /*synchronized*/ User getThreadInstance() { User instance = threadLocal.get(); //先从当前threadLocal中拿 if(instance == null) { instance = new User(); threadLocal.set(instance);//如果没有就新new一个放到threadLocal中 } return instance; //向外返回该User } private String name; private int age; public String getName() { return name; } public void setName(String name) { this.name = name; } public int getAge() { return age; } public void setAge(int age) { this.age = age; } }

经过这样的改造,代码就优雅多了,外界从来不要考虑如何去当前线程中拿数据,只要拿就行,拿出来的肯定就是当前线程中你想要的对象,因为在对象内部已经写好了这个静态方法了,而且拿出来操作完了后,也不需要再放到 threadLocal 中,因为它本来就在 threadLocal 中,这就封装的相当好了。

ThreadLocal类的应用和使用技巧就总结这么多吧~如有问题,欢迎交流,我们一起进步!

内容版权声明:除非注明,否则皆为本站原创文章。

转载注明出处:https://www.heiqu.com/zypwzx.html