我正在编写一个小程序,它获取CSV文件并将它们更新到数据库中。其中一个文件具有date-of-birth
列,并且该列的格式并不总是相同。
、'2012/12/10'都可以是同一个日期)。我假设格式对于给定列表是一致的。
这是我到目前为止的代码,
private static string GetDateFormat(string[] date)
{
DateTime result;
CultureInfo ci = CultureInfo.InvariantCulture;
string[] fmts = ci.DateTimeFormat.GetAllDateTimePatterns();
bool error;
date = date.Where(x => !string.IsNullOrEmpty(x)).ToArray();
foreach (string a in fmts)
{
error = false;
for (int i = 0; i < date.Count(); i++)
{
if (!DateTime.TryParseExact(date[i], a, ci, DateTimeStyles.AssumeLocal, out result))
{
error = true;
}
}
if (error == false)
{
return a;
}
}
throw new CsvToImsException("Error: Date Format is inconsistant or unrecognised");
}
但是由于每个列表中的小问题,我无法让它与我拥有的任何示例日期一起使用(一个列表的日期设置为 '4/5/2012'
而不是'04/05/2012'
,另一个列表有 '4/05/2012 0:00'
等)。
这一定是一个普遍的问题。有没有人编写过任何足够广泛的库来应对这个应用程序?我正在考虑按'/'
字符拆分日期以进行解析,但是有更简单的方法吗?
这里有一些东西可以让你走上你需要的东西的正确轨道请阅读示例代码中的注释,因为如果日期带有单个月值和单个日期值,则只需要添加 2 个条件 if 语句
//of course you will not hard code the dates you will replace DateString with your
//Date Variable you can also convert the code below into a method if you so
string DateString = "04/05/2012";
var dateLength = DateString.Length;
IFormatProvider culture = new CultureInfo("en-US", true);
DateTime dateVal;
switch (dateLength)
{
case 8:
{
dateVal = DateTime.ParseExact(DateString, "M/d/yyyy", culture);
break;
}
case 9:
{
// he you can add your own additional if(){} condition to check if date value Day has a length of 2
// if so then you know that the date is in m/dd/yyyy format
// otherwise you know it's in mm/d/yyyy but
dateVal = DateTime.ParseExact(DateString, "M/dd/yyyy", culture);
break;
}
case 10:
{
dateVal = DateTime.ParseExact(DateString, "MM/dd/yyyy", culture);
break;
}
}
我最终使用了一种类似于原始方法的方法,并从DJ KRAZE的代码中添加了一些内容。这适用于所有人,但像4/05/2012 0:00
这样真正奇怪的人,但即使是这样也可以通过添加特殊情况来修复 fmts.Add("d/MM/yyyy h:mm")
.
//Parse DOB to check format
string[] dateList = new string[PersonList.Count()];
for (int i = 0; i < PersonList.Count(); i++)
{
PersonList[i].DOB = PersonList[i].DOB.Replace('-', '/').Replace('.', '/').Trim();
dateList[i] = PersonList[i].DOB;
}
string dateFormat = GetDateFormat(dateList);
private static string GetDateFormat(string[] date)
{
DateTime result;
CultureInfo ci = CultureInfo.InvariantCulture;
List<string> fmts = ci.DateTimeFormat.GetAllDateTimePatterns().ToList();
fmts.Add("yyyy/MM/d");
fmts.Add("d/MM/yyyy");
bool error;
date = date.Where(x => !string.IsNullOrEmpty(x)).ToArray();
foreach (string a in fmts)
{
error = false;
for (int i = 0; i < date.Count(); i++)
{
if (!DateTime.TryParseExact(date[i], a, ci, DateTimeStyles.AssumeLocal, out result))
{
error = true;
}
}
if (error == false)
{
return a;
}
}
throw new CsvToImsException("Error: Date Format is inconsistant or unrecognised");
}
然后,我可以在 for 循环中使用日期格式来解析列表中的每个日期:
IFormatProvider culture = new CultureInfo("en-US", true);
BirthDate birthDate = DateTime.ParseExact(person.DOB, dateFormat, culture);