本文介紹了在Java代碼中返回SimpleDateFormat形式的NumberFormatException的處理方法,對(duì)大家解決問(wèn)題具有一定的參考價(jià)值,需要的朋友們下面隨著小編來(lái)一起學(xué)習(xí)吧!
問(wèn)題描述
我已將SimpleDateFormat對(duì)象聲明為常量文件內(nèi)的靜態(tài)字段,如下所示
Constants.Java
public static final SimpleDateFormat GENERAL_TZ_FORMATTER = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss z");
在我的類(lèi)文件中,我的實(shí)現(xiàn)如下所示。
String fDate = getTextValue(empNo, "firstDate");
if (null != fDate && !fDate.isEmpty()) {
try {
Date date = (Date)(Constants.GENERAL_TZ_FORMATTER).parse(fDate);
issue.setDate(date.getTime());
} catch (ParseException e) {
logUtil.error(LOG, e+ "date : " + date);
}
}
錯(cuò)誤:
Exception while importing data. package name.SecureException: For input string: ""
at java.lang.NumberFormatException.forInputString(NumberFormatException.java:65)
我的問(wèn)題是,在某些情況下,這會(huì)引發(fā)NumberFormatException
(一種非常罕見(jiàn)的情況),所以我一直在想,我做了一個(gè)診斷,他們中的大多數(shù)人解釋說(shuō),這種情況可能是由于SimpleDateFormat不是線(xiàn)程安全的。如果是這種情況,我不清楚這段代碼是如何在不使用多線(xiàn)程的情況下在多線(xiàn)程環(huán)境中運(yùn)行的,它會(huì)使DateFormat.parse()的輸入成為空字符串嗎?
Java’s SimpleDateFormat is not thread-safe article
我試過(guò)解決這個(gè)問(wèn)題,但真的很難重現(xiàn)這個(gè)問(wèn)題,我想知道你對(duì)這個(gè)問(wèn)題的想法,這將幫助我找到更好的解決方案。非常感謝你的建議。
謝謝。
推薦答案
正如您帖子下面的評(píng)論已經(jīng)提到的,您無(wú)論如何都不應(yīng)該使用SimpleDateFormat
。
您可能無(wú)意中遇到過(guò)SimpleDateFormat
比較麻煩的情況。然而,這并不是唯一的原因。This Stackoverflow post explains why太麻煩了。同一篇帖子中提到的原因之一是SimpleDateFormat
不是線(xiàn)程安全的。線(xiàn)程安全是指當(dāng)多個(gè)進(jìn)程作用于格式化程序時(shí),即利用格式化程序來(lái)格式化日期,并且不會(huì)因?yàn)楦蓴_而出現(xiàn)不正確、不準(zhǔn)確或未定義的結(jié)果。
Your link to the article on Callicoder很好地解釋了為什么SimpleDateFormat
造成麻煩。帖子提到了與您收到的相同的異常:
java.lang.NumberFormatException: For input string: ""
簡(jiǎn)而言之,線(xiàn)程在使用格式化程序時(shí)會(huì)發(fā)生干擾,因?yàn)楦袷交绦虿煌健_@意味著SimpleDateFormat
類(lèi)不強(qiáng)制要求一個(gè)線(xiàn)程必須等待,直到另一個(gè)線(xiàn)程完成對(duì)其內(nèi)部狀態(tài)的修改。使用的三個(gè)類(lèi)是SimpleDateFormat
、DateFormat
和FieldPosition
。
Here’s erroneous code in action。
使用java.time
您需要遷移到java.time
包中提供的更新的Java 8 Date and Time API。由于它們的不變性,它們絕對(duì)是線(xiàn)程安全的。在您的情況下,使用java.time.format.DateTimeFormatter
:
public static final DateTimeFormatter GENERAL_TZ_FORMATTER = DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss z");
ZonedDateTime zdt = ZonedDateTime.parse(fDate, GENERAL_TZ_FORMATTER);
Instant instant = zdt.toInstant();
// Your setDate should really accept an Instant:
issue.setDate(instant);
// If that's REALLY not possible, then you can convert it to an integer
// value equal to the number of milliseconds since 1 January 1970, midnight
//issue.setDate(instant.toEpochMilli());
這篇關(guān)于在Java代碼中返回SimpleDateFormat形式的NumberFormatException的文章就介紹到這了,希望我們推薦的答案對(duì)大家有所幫助,