我有csv并且每行读取它,所以我可以将它保存在数据库中。我使用filehelper通过逗号分隔符分隔每个但忽略“”内部的那些。它抛出了数据06:00:00; 00的异常情况。我不确定那是什么。我该如何解析?是那个时间跨度,但为什么它之后有额外的00;?对不起,这些数据刚刚发给我,没有解释它的用途。
以下是文本文件中的实际数据。
01/10/2013,06:00:00;00,06:09:40;08,00:09:40:09,01/10/2013,06:00:00;00,06:09:40;08,00:09:40:09,"January 9, 2013 - Dreams_01.mp4",Aired,7CFB84BD-A5B6-43E8-82EC-E78E7219B1C7
是否有针对filhelper的转换器?我已经使用[FieldConverter(ConverterKind.Date, "dd/MM/yyyy")]
作为日期,但我不确定时间。
答案 0 :(得分:0)
您可以提供自己的FieldConverter
,这样您就可以添加您认为必要的逻辑。看起来你的数据结构不是非常严格,所以你可能需要玩很多,但是这里有一个处理前几个字段的工作程序:
[DelimitedRecord(",")]
public partial class MyClass
{
[FieldConverter(ConverterKind.Date, "dd/MM/yyyy")]
public DateTime Date;
[FieldConverter(typeof(MyTimeConverter))]
public DateTime Time1;
[FieldConverter(typeof(MyTimeConverter))]
public DateTime Time2;
[FieldConverter(typeof(MyTimeConverter))]
public DateTime Time3;
[FieldConverter(ConverterKind.Date, "dd/MM/yyyy")]
public DateTime Time4;
[FieldDelimiter("|")] // ignore the rest of the fields for this example
public string Optional3;
}
class Program
{
private static void Main(string[] args)
{
var engine = new FileHelperEngine<MyClass>();
var records = engine.ReadString(@"01/10/2013,06:00:00;00,06:09:40;08,00:09:40:09,01/10/2013,06:00:00;00,06:09:40;08,00:09:40:09,""January 9, 2013 - Dreams_01.mp4"",Aired,7CFB84BD-A5B6-43E8-82EC-E78E7219B1C7");
Assert.AreEqual(records[0].Date, new DateTime(2013, 10, 1));
Assert.AreEqual(records[0].Time1, DateTime.MinValue.Date.Add(new TimeSpan(0, 6, 0, 0)));
Assert.AreEqual(records[0].Time2, DateTime.MinValue.Date.Add(new TimeSpan(0, 6, 9, 40, 08)));
Assert.AreEqual(records[0].Time3, DateTime.MinValue.Date.Add(new TimeSpan(0, 0, 9, 40, 09)));
}
}
public class MyTimeConverter : ConverterBase
{
public override string FieldToString(object from)
{
return base.FieldToString(from);
}
public override object StringToField(string from)
{
/// apply any logic to clear up the input here
/// for instance, split the string at any ';' or ':'
var parts = from
.Split(';', ':')
.Select(x => Convert.ToInt32(x))
.ToList();
// if it has three parts assume there are no milliseconds
if (parts.Count == 3)
return DateTime.MinValue.Date.Add(new TimeSpan(0, parts[0], parts[1], parts[3]));
else if (parts.Count == 4) // if it has four parts include milliseconds
return DateTime.MinValue.Date.Add(new TimeSpan(0, parts[0], parts[1], parts[2], parts[3]));
throw new Exception("Unexpected format");
}
}
您可以看到我实施了MyTimeConverter
。 (DateTime.MinValue.Date.Add(new TimeSpan())
是我所知道的创建具有空日期部分的DateTime
的最佳方式。)