你需要使用ParseExact
方法。这需要一个字符串作为它的第二个参数,它指定日期时间的格式,例如:
// Parse date and time with custom specifier.
dateString = "2011-29-01 12:00 am";
format = "yyyy-dd-MM h:mm tt";
try
{
result = DateTime.ParseExact(dateString, format, provider);
Console.WriteLine("{0} converts to {1}.", dateString, result.ToString());
}
catch (FormatException)
{
Console.WriteLine("{0} is not in the correct format.", dateString);
}
如果用户可以在 UI 中指定格式,那么您需要将其转换为可以传递给此方法的字符串。您可以通过允许用户直接输入格式字符串来做到这一点 - 尽管这意味着转换更有可能失败,因为他们将输入无效的格式字符串 - 或者有一个组合框为他们提供可能的选择,您为这些选项设置格式字符串。
如果输入可能不正确(例如用户输入),最好使用TryParseExact
而不是使用异常来处理错误情况:
// Parse date and time with custom specifier.
dateString = "2011-29-01 12:00 am";
format = "yyyy-dd-MM h:mm tt";
DateTime result;
if (DateTime.TryParseExact(dateString, format, provider, DateTimeStyles.None, out result))
{
Console.WriteLine("{0} converts to {1}.", dateString, result.ToString());
}
else
{
Console.WriteLine("{0} is not in the correct format.", dateString);
}
更好的选择可能是不向用户提供日期格式的选择,而是使用采用格式数组的重载:
// A list of possible American date formats - swap M and d for European formats
string[] formats= {"M/d/yyyy h:mm:ss tt", "M/d/yyyy h:mm tt",
"MM/dd/yyyy hh:mm:ss", "M/d/yyyy h:mm:ss",
"M/d/yyyy hh:mm tt", "M/d/yyyy hh tt",
"M/d/yyyy h:mm", "M/d/yyyy h:mm",
"MM/dd/yyyy hh:mm", "M/dd/yyyy hh:mm",
"MM/d/yyyy HH:mm:ss.ffffff" };
string dateString; // The string the date gets read into
try
{
dateValue = DateTime.ParseExact(dateString, formats,
new CultureInfo("en-US"),
DateTimeStyles.None);
Console.WriteLine("Converted '{0}' to {1}.", dateString, dateValue);
}
catch (FormatException)
{
Console.WriteLine("Unable to convert '{0}' to a date.", dateString);
}
如果您从配置文件或数据库中读取可能的格式,那么您可以在遇到人们想要输入日期的所有不同方式时添加这些格式。
这种方法的主要缺点是您仍然会有模棱两可的日期。这些格式是按顺序尝试的,所以无论它会在美国之前尝试欧洲格式(反之亦然),并涵盖日期小于 13 到欧洲格式日期的任何内容,即使用户认为他们正在输入美国格式化日期。