如何在给定特定格式的情况下拆分字符串?

时间:2013-07-11 13:15:51

标签: javascript string-formatting date-formatting

我的字符串格式的日期有时是这样的:05-11-2009 16:59:20有时是这样的:2013-12-05T22:00:00:00Z而其他一些时间是这样的:2013-12-05T22:00:00:00.000Z

我编写了一个从这些日期中提取月份日和年份的函数,但我想要一个可以为所有传入输入格式的函数。 类似的东西:

function DateParts(datetime, format) {
    var matches = datetime.splitByFormat(format);

    this.getYear = function () {
       return matches[3];
    };
    this.getMonth = function () {
        return (matches[2] - 1) +"" ;
    };
    this.getDay = function () {
        return matches[1];
    };
    this.getHours = function () {
        return matches[4];
    };
    this.getMinutes = function () {
    return matches[5];
    };
    this.getSeconds = function () {
        return matches[6];
    };
};

格式会像"yyyy-mm-dd hh:MM:ss""dd-mm-yyyyThh:MM:ss.dddZ"或其他任何格式一样。

有没有一种很好的方法来创建splitByFormat函数而不必将我的头部关闭?

3 个答案:

答案 0 :(得分:2)

一个正则表达式找到它们全部:

(((?<month>\d{2})-(?<day>\d{2})-(?<year>\d{4})\s(?<hour>\d{2}):(?<minute>\d{2}):(?<second>\d{2}))|((?<year>\d{4})-(?<month>\d{2})-(?<day>\d{2})T(?<hour>\d{2}):(?<minute>\d{2}):(?<second>\d{2}):(?<millisecond>\d{2})Z)|(?<year>(\d{4})-(?<month>\d{2})-(?<day>\d{2})T(?<hour>\d{2}):(?<minute>\d{2}):(?<second>\d{2}):(?<millisecond>\d{2})\.(?<centisecond>\d{3})Z))

如果您使用此正则表达式字符串,则可以捕获不同的分组:

  • 小时
  • 分钟
  • 第二
  • 毫秒
  • 厘秒

答案 1 :(得分:1)

这个怎么样?还有什么比这更好的了吗?

function DateParts(datetime, format) {

    this.getYear = function () {
        if (format) {
            ind = format.indexOf("yyyy");
            return datetime.substring(ind, ind + 4);
        }
         return "";

    };
    this.getMonth = function () {
        if (format) {
            ind = format.indexOf("mm");
            return datetime.substring(ind, ind + 2);
        }
        return "";            
    };
    this.getDay = function () {
        if (format) {
            ind = format.indexOf("gg");
            return datetime.substring(ind, ind + 2);
       }
       return "";
    };
};

答案 2 :(得分:1)

这个简单的课程FormatAnalyzer可能是一个开始。它有效。

FormatAnalyzer f = new FormatAnalyzer("yyyy-mm-dd hh:MM:ss");
f.getYear("2013-07-11 15:39:00");
f.getMonth("2013-07-11 15:39:00");

,其中

public class FormatAnalyzer {

    private String format;
    private int yearBegin;
    private int yearEnd;
    private int monthBegin;
    private int monthEnd;
    // ...

    public FormatAnalyzer(String format) {
        this.format = format;
        analyzeFormat();
    }

    public String getYear(String date) {
        return date.substring(yearBegin, yearEnd);
    }

    public String getMonth(String date) {
        return date.substring(monthBegin, monthEnd);
    }

    private void analyzeFormat() {
        yearBegin = yearEnd = format.indexOf("y");
        while (format.indexOf("y", ++yearEnd) != -1) {
        }
        monthBegin = monthEnd = format.indexOf("m");
        while (format.indexOf("m", ++monthEnd) != -1) {
        }
        // and so on for year, day, ...
    }
}