SimpleDateFormat 멀티스레드 해결

3877 단어
대체적으로 Timple Cull은 Simple DateFormat가 가져온 심각한 성능 문제에 부딪혔다. 이 문제는 주로 Simple DateFormat가 일으킨 것이다. Simple DateFormat 실례를 만드는 비용이 비교적 비싸고 문자열을 분석할 때 주기가 짧은 실례를 자주 만들어서 성능이 떨어진다.SimpleDateFormat를 정적 클래스 변수로 정의해도 이 문제를 해결할 수 있을 것 같지만 SimpleDateFormat는 비선정 안전합니다. 마찬가지로 문제가 존재합니다. 만약에'synchronized'루트로 동기화하면 같은 문제에 직면하고 동기화는 성능을 떨어뜨립니다. (루트 사이의 서열화된 SimpleDateFormat 실례 가져오기)
Tim Cull은 Threadlocal을 사용하여 이 문제를 해결했습니다. 각 스레드마다 SimpleDateFormat가 협업에 영향을 주지 않는 상태입니다. 각 스레드마다 SimpleDateFormat 변수의 복사본이나 복사본을 만듭니다. 코드는 다음과 같습니다.
 
import java.text.DateFormat;
import java.text.ParseException;
import java.text.SimpleDateFormat;
import java.util.Date;

/**
 *   ThreadLocal        SimpleDateFormat      。
 * 
 * @author
 * 
 */
public class DateUtil {

    private static final String DATE_FORMAT = "yyyy-MM-dd HH:mm:ss";

    @SuppressWarnings("rawtypes")
    private static ThreadLocal threadLocal = new ThreadLocal() {
        protected synchronized Object initialValue() {
            return new SimpleDateFormat(DATE_FORMAT);
        }
    };

    public static DateFormat getDateFormat() {
        return (DateFormat) threadLocal.get();
    }

    public static Date parse(String textDate) throws ParseException {
        return getDateFormat().parse(textDate);
    }
}
 
ThreadLocal 클래스 변수를 만듭니다. 이 변수는 익명 클래스를 사용하고 initialValue 방법을 덮어씁니다. 주요 역할은 만들 때 실례를 초기화하는 것입니다.아래의 방식으로 만들 수도 있다.
 
import java.text.DateFormat;
import java.text.SimpleDateFormat;

/**
 *   ThreadLocal        SimpleDateFormat      。
 * 
 * @author
 * 
 */
public class DateUtil {

    private static final String DATE_FORMAT = "yyyy-MM-dd HH:mm:ss";

    //      get   null
    private static ThreadLocal threadLocal = new ThreadLocal();

    //          ,     initialValue,   get  null,        SimpleDateFormat, set threadLocal 
    public static DateFormat getDateFormat() {
        DateFormat df = (DateFormat) threadLocal.get();
        if (df == null) {
            df = new SimpleDateFormat(DATE_FORMAT);
            threadLocal.set(df);
        }
        return df;
    }

}
 
덮어쓰는 initialValue 방법을 살펴보겠습니다.

   
protected T initialValue() { return null;// null }

물론 사용 가능: 아파치 commons-lang 패키지의 DateFormatUtils나FastDateFormat 구현, 아파치는 라인이 안전하고 효율적임을 보장합니다.
비고: 해당하는 prase 방법을 찾지 못했습니다. 
 
발췌문: http://www.cnblogs.com/icewee/articles/2017690.html
 
 
 

좋은 웹페이지 즐겨찾기