概述
一個線程一個儲物柜濒旦。
每個線程有自己的存儲柜豆巨, 為每個線程準備的存儲空間灯萍。
Thread-Specific Storage 模式是一種為每個線程分配特定存儲空間的模式剂娄。
標準庫中java.lang.ThreadLocal類實現(xiàn)了該模式艾栋。
java.lang.ThreadLocal 類
- java.lang.ThreadLocal就是儲物間
一個ThreadLocal的實例會管理很多對象乏苦。在示例中代表儲物間畅形,里面有著許多儲物柜养距。可以通過set(存儲)和get(獲取)數(shù)據(jù)日熬。
示例1
不使用該模式的實現(xiàn)
用到的類 Log是創(chuàng)建日志的類棍厌, Main類是測試程序行為的類。
Log 類
import java.io.PrintWriter;
import java.io.FileWriter;
import java.io.IOException;
public class Log {
private static PrintWriter writer = null;
static {
try {
writer = new PrinterWriter( new FileWriter("log.txt"));
} catch(IOException e){
e.printStackTrace();
}
}
public static void println(String s) {
writer.println(s);
}
public static void close() {
writer.print("=== End of log ===");
writer.close();
}
}
Main 類
public class Main {
public static void main(String[] args){
System.out.println("BEGIN");
for(int i = 0; i < 10; i++){
Log.println("main: i = " + i);
try {
Thread.sleep(100);
} catch (InterruptedException e){}
}
Log.close();
System.out.println("END");
}
}
ThreadSpecificStorage模式示例
使用的類
TSLog 創(chuàng)建日志類(示例屬于各個線程所有)
Log 創(chuàng)建日志的類(分配各個線程)
java.lang.ThreadLocal 分配線程特有的存儲空間的類
ClientThread 表示調(diào)用Log的線程的類
Main 測試程序行為的類
線程特有的TSLog 類
···
import java.io.PrintWriter;
import java.io.FileWriter;
import java.io.IOException;
public class TSLog {
private PrinterWriter writer = null;
public TSLog(String filename) {
try {
writer = new PrintWriter(new FileWriter(filename));
} catch (IOException e) {
e.printStackTrace();
}
}
public void println(String s) {
writer.println(s);
}
public void close() {
writer.println("=== End of log ===");
writer.close();
}
}
···
Log 類
public class Log {
private static final ThreadLocal<TSLog> tsLogColleciton = new ThreadLocal<TSLog>();
public static void println(String s) {
getTSLog().println(s);
}
public static void close() {
getTSLog().close();
}
private static TSLog getTSLog() {
TSLog tsLog = tsLogCollection.get();
if (tsLog == null) {
tsLog = new TSLog(Thread.currentThread().getName() + "-log.txt");
tsLogCollection.set(tsLog);
}
return tsLog;
}
}
ClientThread 類
public class ClientThread extends Thread {
public ClientThread(String name) {
super(name);
}
public void run() {
System.out.println(getName() + "BEGIN");
for (int i = 0 ; i < 10 ; i++) {
Log.println("i = " + i);
try {
Thread.sleep(100);
} catch (InterruptedException e){}
}
Log.close();
System.out.println(getName() + "END";
}
}
Main 類
public class Main {
public static void main(String[] args) {
new ClientThread("Alice").start();
new ClientThread("Bobby").start();
new ClientThread("Chris").start();
}
}
Thread Specific Storage 模式的角色
- Client (委托者)
- TSObjectProxy (線程特有的對象的帶來人)
- TSObjectCollection (線程特有的對象的集合)
- TSObject (線程特有的對象)