ThreadLocal总结

一、干什么的
保证为每个线程分配一个变量空间,注意只有一个!
属于它的方法只有两个,get()和set()。
一个线程调用了set方法后,将一个变量存入ThreadLocal对象中。注意只能存一个,多次set会覆盖。
这个线程可以调用get方法取回自己放入的变量,注意只能自己取,其他线程取不出来。
二、覆盖代码

public class ThreadLocalTest {
	static ThreadLocal tl=new ThreadLocal();
	public static void main(String[] args) {
		// TODO Auto-generated method stub
		new Thread(new Runnable() {

			@Override
			public void run() {
				// TODO Auto-generated method stub
				tl.set("one");
				tl.set("two");
				tl.set("three");
				System.out.println(tl.get());
				System.out.println(tl.get());
				System.out.println(tl.get());
			}
		}).start();
	}

}


three
three
three

可见被覆盖了,而且可以多次get
三、可见性

public class ThreadLocalTest {
	static ThreadLocal tl=new ThreadLocal();
	public static void main(String[] args) {
		// TODO Auto-generated method stub
		new Thread(new Runnable() {

			@Override
			public void run() {
				// TODO Auto-generated method stub
				tl.set("one");
				System.out.println("我是子线程"+tl.get());
			}
		}).start();
		try {
			Thread.sleep(2000);
		} catch (InterruptedException e) {
			// TODO Auto-generated catch block
			e.printStackTrace();
		}
		System.out.println("我是主线程"+tl.get());
	}

}
我是子线程one
我是主线程null

数据对其他线程不可见。

你可能感兴趣的:(ThreadLocal总结)