不同的SimpleDateFormat

时间:2015-11-15 21:31:51

标签: java simpledateformat

我有以下SimpleDateFormat

SimpleDateFormat simpleDateFormat = new SimpleDateFormat("EEEE, MMMM d, yyyy h:mm a");

适用于以下日期

Sunday, November 15, 2015 7:00 PM

我正在解析的日期格式并不总是那样。有时它看起来像下面

Saturday, 14 November, 2015 22:04

如何成功解析它们?

1 个答案:

答案 0 :(得分:6)

如果您只有两种格式,这就足够了。如果它们中有更多,您可能想要使用递归。如果是这种情况,请通知我,我将告诉您如何操作。

SimpleDateFormat simpleDateFormat1 = new SimpleDateFormat("EEEE, MMMM d, yyyy h:mm a");
SimpleDateFormat simpleDateFormat2 = new SimpleDateFormat("EEEE, d MMMM, yyyy H:mm");
Date result = null;
while( logic statement){
    try{
        result = simpleDateFormat1.parse(dateAsString);
    }catch (ParseException e){
        result = simpleDateFormat2.parse(dateAsString);
    }
//do whatever want with the result.
}

由于OP问这是递归方式。你可以复制粘贴它,它运行。如果您想要Collection格式而不是数组,则可能需要使用Iterator而不是索引i

import java.text.ParseException;
import java.text.SimpleDateFormat;
import java.util.Date;

public class Test {

    public static Date parseDate(String dateAsString, SimpleDateFormat[] formats, int i) {
        if (i == formats.length) {
            return null;
        }
        try {
            return formats[i].parse(dateAsString);
        } catch (ParseException e) {
            return parseDate(dateAsString, formats, i + 1);
        }
    }

    public static void main(String[] args) {
        SimpleDateFormat[] formats = { new SimpleDateFormat("EEEE, MMMM d, yyyy h:mm a"), new SimpleDateFormat("EEEE, d MMMM, yyyy H:mm"), new SimpleDateFormat("dd.MM.yy") };
        String[] datesAsStrings = {"Sunday, November 15, 2015 7:00 PM", "Saturday, 14 November, 2015 22:04", "25.07.15", "this is NOT a date"};
        for(String dateAsString :datesAsStrings){
            System.out.println(parseDate(dateAsString, formats, 0));
        }
    }
}