将具有月份名称的日期解析为C#DateTime

时间:2010-08-19 18:29:21

标签: c# datetime

我想将以下日期格式解析为C#中的DateTime对象。

"19 Aug 2010 17:48:35 GMT+00:00"

我该如何做到这一点?

2 个答案:

答案 0 :(得分:19)

我建议使用DateTime.ParseExact

DateTime.ParseExact(dateString, "dd MMM yyyy H:mm:ss \\G\\M\\Tzzz", System.Globalization.CultureInfo.InvariantCulture);

答案 1 :(得分:-1)

我知道我的回答有点超出范围,但是无论如何它可能会有所帮助。我的问题有点不同,我必须提取字符串的最高日期,该日期可能采用各种格式(1.1.98、21.01.98、21.1.1998、21.01.1998)。这是两个可以添加到任何类的静态方法:

public static DateTime ParseDate(string value)
{
    DateTime date = new DateTime();
    if (value.Length <= 7) // 1.1.98, 21.3.98, 1.12.98, 
        DateTime.TryParseExact(value, "d.M.yy", System.Globalization.CultureInfo.InvariantCulture, System.Globalization.DateTimeStyles.AssumeLocal, out date);
    else if (value.Length == 8 && value[5] == '.') // 21.01.98
        DateTime.TryParseExact(value, "dd.MM.yy", System.Globalization.CultureInfo.InvariantCulture, System.Globalization.DateTimeStyles.AssumeLocal, out date);
    else if (value.Length <= 9) // 1.1.1998, 21.1.1998, 1.12.1998
        DateTime.TryParseExact(value, "d.M.yyyy", System.Globalization.CultureInfo.InvariantCulture, System.Globalization.DateTimeStyles.AssumeLocal, out date);
    else if (value.Length == 10) // 21.01.1998
        DateTime.TryParseExact(value, "dd.MM.yyyy", System.Globalization.CultureInfo.InvariantCulture, System.Globalization.DateTimeStyles.AssumeLocal, out date);
    return date;
}

public static DateTime? ExtractDate(string text)
{
    DateTime? ret = null;
    Regex regex = new Regex(@"\d{1,2}\.\d{1,2}\.\d{2,4}");
    MatchCollection matches = regex.Matches(text);
    foreach (Match match in matches)
    {
        DateTime date = ParseDate(match.Value);
        if (ret == null || ret < date)
            ret = date;
    }
    return ret;
}