在分析我的应用程序时,我发现DateTime.FromFileTime(long fileTime)很慢。
有没有人知道快速管理的等效文件或Windows文件时间格式?
[编辑] 我能够通过以下方式获得一些速度提升:
var timeStr = FastTimeStringFormat(new DateTime(fileTime + 0x701ce1722770000L, DateTimeKind.Utc).ToLocalTime()); // + 0x701ce1722770000L is the offset needed to convert to UTC DateTime
为了提高速度但安全性较低(没有日内夏令时检查),您可以缓存ToLocalTime偏移(长)并节省更昂贵的昂贵ToLocalTime()呼叫。
在App Start上:
long fileTimeOffset = DateTime.Today.Subtract(DateTime.Today.ToUniversalTime()).Ticks + 0x701ce1722770000L;
然后在你的关键路径中:
var timeStr = FastTimeStringFormat(new DateTime(fileTime + fileTimeOffset));
事实证明,ToString非常昂贵,以下内容更快。
public static unsafe string FastTimeStringFormat(DateTime time)
{
// modified version from the following post:
// http://geekswithblogs.net/akraus1/archive/2006/04/23/76146.aspx
// this one is also more accurate because of true divide by 10, beware of less accurate versions that do not use division
char* FixedCharArray = stackalloc char[13];
int hour = time.Hour; // Cache property values
int minute = time.Minute;
int second = time.Second;
int ms = time.Millisecond;
// hour
FixedCharArray[0] = (Char)('0' + hour / 10);
FixedCharArray[1] = (Char)('0' + hour % 10);
FixedCharArray[2] = ':';
// minute
FixedCharArray[3] = (Char)('0' + minute / 10);
FixedCharArray[4] = (Char)('0' + minute % 10);
FixedCharArray[5] = ':';
// seconds
FixedCharArray[6] = (Char)('0' + second / 10);
FixedCharArray[7] = (Char)('0' + second % 10);
FixedCharArray[8] = '.';
// miliseconds
FixedCharArray[9] = (Char)('0' + ms / 100);
FixedCharArray[10] = (Char)('0' + ms % 100 / 10);
FixedCharArray[11] = (Char)('0' + ms % 10);
return new String(FixedCharArray);
}
答案 0 :(得分:2)
DateTime.FromFileTime()
在托管代码中实现,不涉及P / Invoke调用。
您遇到的性能可能来自内部执行的转换为本地时间。如果可能的话,请尝试使用DateTime.FromFileTimeUtc()。