如何使用C#读取文本文件中的日期

时间:2012-06-05 06:26:27

标签: c# text-files

我正在使用C#在我的本地位置(C:\ temp \ log.txt)的文本文件中编写日志。文本文件存储如下

 2011-11-17 23:05:17,266 [6] FATAL Application

 2011-11-17 23:05:18,094 [6] FATAL Service

 2011-11-17 23:17:08,862 [6] FATAL Receipts - SaveReceipts
 System.InvalidOperationException: Sequence contains no elements
 at System.Linq.Enumerable.First[TSource](IEnumerable`1 source)
 at GID.AAFramework.EntityWrapper.ReceiptFacade.SaveReceipts(IEnumerable`1 records,     String user) in     c:\AdvancedAnalyticsProjects\Surya\Trunk\dotnet_src\GID.AAFramework.EntityWrapper\ReceiptFacade.cs:line 632

现在我想阅读此文件,并希望首次登录日期上次日期

如何在此文本文件中获取首次上市日期和上次更新日期

现在我正在使用以下代码阅读此文本文件:

StreamReader sr = new StreamReader(FileLocation);
if (sr != null)
{
  linelist.Add(sr.ReadToEnd());
  LogInfoByDate.Add(FileLocation, "StartDate:" + linelist.First().Substring(0, 10) + "|" + "EndDate:" + linelist.Last().Substring(0, 10));               
}

如果例外行是单一的,我编写的第一次日期和最后更新日期的代码,但不适用于多行的例外,如上所示。现在这是我的问题。任何人都可以告诉我如何获取此文本文件中的第一个和最后一个日期?

2 个答案:

答案 0 :(得分:5)

这是使用LINQ和DateTime.TryParseExact的方法:

DateTime d = DateTime.Now;
var format = "yyyy-MM-dd HH:mm:ss,fff";
var fileDates = System.IO.File.ReadAllLines(path)
                .Where(l => l.Length >= format.Length
                        && DateTime.TryParseExact(l.Substring(0, format.Length)
                                                , format
                                                , CultureInfo.InvariantCulture
                                                , DateTimeStyles.None
                                                , out d)
                )
                .Select(l => d)
                .OrderBy(dt => dt);

if (fileDates.Any())
{
    DateTime firstDate = fileDates.First();  // 2011-11-17 23:05:17,266
    DateTime lastDate  = fileDates.Last();   // 2011-11-17 23:17:08,862
}

答案 1 :(得分:1)

以下是如何解析此问题的示例:

//init datetime list for log entries
List<DateTime> logDates = new List<DateTime>();

//Define regex string
string pattern = @"(?<logDate>(\d){4}-(\d){2}-(\d){2}\s(\d){2}:(\d){2}:(\d){2})";
Regex reg = new Regex(pattern);

//read log content
string logContent = File.ReadAllText("test.log");

//run regex
MatchCollection matches = reg.Matches(logContent);


//iterate over matches
foreach (Match m in matches)
{
    DateTime logTime = DateTime.Parse(m.Groups["logDate"].Value);
    logDates.Add(logTime);
}

//show first and last entry
Console.WriteLine("First: " + logDates.First());
Console.WriteLine("Last: " + logDates.Last());

我已经删除了几毫秒的逗号,只是为了更容易解析。

关心弗洛里安