如何将以下字符串日期解析为C#中的DateTime对象:
“1970年1月1日星期四”
这来自XML提要,而DateTime.Parse似乎不喜欢它在en-GB语言环境中。饲料只会来自英国的服务器,所以我不担心全球化问题
我最初的蛮力方法是:
我确定必须有更优雅的方式吗?我无法使DateTime.Prse或Datetime.ParseExact工作
答案 0 :(得分:6)
我不相信DateTime
解析对序数有所了解,但它应该能够处理其他所有事情。所以你可以使用:
public static string RemoveOrdinals(string input)
{
// Ugly but oh so simple.
return input.Replace("0th", "0")
.Replace("1st", "1")
.Replace("2nd", "2")
.Replace("3rd", "3")
.Replace("11th", "11") // Need to handle these separately...
.Replace("12th", "12")
.Replace("13th", "13")
.Replace("4th", "4")
.Replace("5th", "5")
.Replace("6th", "6")
.Replace("7th", "7")
.Replace("8th", "8")
.Replace("9th", "9");
}
然后:
string text = RemoveOrdinals(text);
DateTime date = DateTime.ParseExact(text, "dddd, d MMMM yyyy",
CultureInfo.GetCulture("en-GB"));
(作为一个快速插件,当然你只想要一个日期而不是一个日期/时间。不幸的是.NET没有一种类型来表示 - 但你可以在{{3}中使用LocalDate
我们也不处理序数 - 但是,无论如何 - 所以你仍然需要额外的方法。如果你想看到相关的代码,请告诉我。)
答案 1 :(得分:5)
只是提供一个稍微不同的看法,并让你知道你有其他一些选择;你可以指定DateTime.Parse(或我的例子中的TryParse)的格式来解决这种情况,而不是试图通过String.Replace
调用等将字符串“预格式化”为其他内容;
public DateTime ParseOrdinalDateTime(string dt)
{
string[] expectedFormats =
DateTime d;
if (DateTime.TryParseExact(dt, "dddd, d\"st\" MMMM yyyy", null, DateTimeStyles.None, out d))
return d;
if (DateTime.TryParseExact(dt, "dddd, d\"nd\" MMMM yyyy", null, DateTimeStyles.None, out d))
return d;
if (DateTime.TryParseExact(dt, "dddd, d\"rd\" MMMM yyyy", null, DateTimeStyles.None, out d))
return d;
if (DateTime.TryParseExact(dt, "dddd, d\"th\" MMMM yyyy", null, DateTimeStyles.None, out d))
return d;
throw new InvalidOperationException("Not a valid DateTime string");
}
我提出这种方法的原因是它非常清楚地列出了您的输入期望,并且包含了单个方法的行为。如果格式发生变化,您可以在此处指定不同的格式字符串,并考虑新的日期时间字符串结构。
或者,考虑到下面的评论,上面略有不同;
private static DateTime ParseOrdinalDateTime(string dt)
{
string[] expectedFormats = new[]
{
"dddd, d'st' MMMM yyyy",
"dddd, d'nd' MMMM yyyy",
"dddd, d'rd' MMMM yyyy",
"dddd, d'th' MMMM yyyy"
};
try
{
return DateTime.ParseExact(dt, expectedFormats, null, DateTimeStyles.None);
}
catch (Exception e)
{
throw new InvalidOperationException("Not a valid DateTime string", e);
}
}
注意:我捕获并抛出上面的InvalidOperationException的唯一原因是为了保护调用者不必catch Exception
来处理可能抛出的任何可能的异常DateTime.ParseExact
。您可以轻松修改此API。
答案 2 :(得分:0)
将DateTime.Parse
与特定于文化的格式化程序一起使用:
http://msdn.microsoft.com/en-us/library/kc8s65zs.aspx
首先反转此答案的逻辑,从月中剥离“st”,“nd”等:
https://stackoverflow.com/a/4544313/2420979
然后通常只使用DateTime.Parse
:
var result = DateTime.Parse("Thursday, 1 January 1970", new CultureInfo("en-GB"));