String和Date、Timestamp之間的轉換

weixin_34054866發表於2018-05-21

一、String與Date(java.util.Date)互轉

1.1 String -> Date

String dateStr = "2010/05/04 12:34:23";
    Date date = new Date();
    //注意format的格式要與日期String的格式相匹配
    DateFormat sdf = new SimpleDateFormat("yyyy/MM/dd HH:mm:ss");
    try {
        date = sdf.parse(dateStr);
        System.out.println(date.toString());
    } catch (Exception e) {
        e.printStackTrace();
}

1.2 Date -> String

//日期向字串轉換,可以設定任意的轉換格式format
String dateStr = "";
Date date = new Date();
//format的格式可以任意
DateFormat sdf = new SimpleDateFormat("yyyy/MM/dd HH:mm:ss");
DateFormat sdf2 = new SimpleDateFormat("yyyy-MM-dd HH/mm/ss");
try {
    dateStr = sdf.format(date);
    System.out.println(dateStr);
    dateStr = sdf2.format(date);
    System.out.println(dateStr);
} catch (Exception e) {
    e.printStackTrace();
}

二、String與Timestamp互轉

2.1 String ->Timestamp

使用Timestamp的valueOf()方法

Timestamp ts = new Timestamp(System.currentTimeMillis());
String tsStr = "2011-05-09 11:49:45";
//String的型別必須形如: yyyy-mm-dd hh:mm:ss[.f...] 這樣的格式,中括號表示可選,否則報錯!!!
//如果String為其他格式,可考慮重新解析下字串,再重組~~
try {
    ts = Timestamp.valueOf(tsStr);
    System.out.println(ts);
} catch (Exception e) {
    e.printStackTrace();
} 

​ 2.2 Timestamp -> String

Timestamp ts = new Timestamp(System.currentTimeMillis());
String tsStr = "";
DateFormat sdf = new SimpleDateFormat("yyyy/MM/dd HH:mm:ss");
try {
    //方法一 優勢在於可以靈活的設定字串的形式。
    tsStr = sdf.format(ts);
    System.out.println(tsStr);
    //方法二
    tsStr = ts.toString();
    System.out.println(tsStr);
} catch (Exception e) {
    e.printStackTrace();
}

三、Date( java.util.Date )和Timestamp互轉

宣告:查API可知,Date和Timestamp是父子類關係

3.1 Timestamp -> Date

Timestamp ts = new Timestamp(System.currentTimeMillis());
Date date = new Date();
try {
    date = ts;
    System.out.println(date);
} catch (Exception e) {
    e.printStackTrace();
}

很簡單,但是此刻date物件指向的實體卻是一個Timestamp,即date擁有Date類的方法,但被覆蓋的方法的執行實體在Timestamp中。

3.2 Date -> Timestamp

父類不能直接向子類轉化,可藉助中間的String~~~~

相關文章