5

我有一个DateTime需要转换为NodaTime LocalDate. 这可以做到吗?

我有这个:

 DateTime modifiedDate = File.GetLastWriteTime(file);

我想要这个:

LocalTime modifiedDate = File.GetLastWriteTime(file);

但看起来 NodaTime API无法从中获取日期值GetLastWriteTime

所以我要么需要a)将DateTime转换为LocalTime,要么b)以某种方式使用LocalTime来获取日期值GetLastWriteTime

4

1 回答 1

9

Noda Time 的主要设计决策之一是不应该有由计算机的本地时区设置产生的副作用。在内部, GetLastWriteTime调用GetLastWriteTimeUtc().ToLocalTime(). 所以仅仅打电话GetLastWriteTime,你就违背了这个理想。

读取文件时间的正确 Noda Time 类型是Instant.

Instant instant = Instant.FromDateTimeUtc(File.GetLastWriteTimeUtc(file));

从那里,如果您需要本地日期和/或时间,那么您可以应用时区。

首先,确定您想要的时区。例如:

DateTimeZone zone = DateTimeZoneProviders.Tzdb["America/New_York"];

如果您出于某种原因想使用计算机自己的本地时区,请使用以下命令:

DateTimeZone zone = DateTimeZoneProviders.Tzdb.GetSystemDefault();

然后将时区应用于文件时间的瞬间:

ZonedDateTime zonedDateTime = instant.InZone(zone);

然后,您可以从其中任何一个中进行选择,具体取决于您要查找的内容:

LocalDateTime localDateTime = zonedDateTime.LocalDateTime;
LocalDate date = zonedDateTime.Date;
LocalTime time = zonedDateTime.TimeOfDay;

此外,您应该了解,在磁盘上,文件时间取决于您正在使用的文件系统的类型。

  • 如果您使用的是 NTFS,则磁盘上的时间以 UTC 记录。这是非常需要的。

  • 如果您使用 exFAT,磁盘上的时间以本地日期 + 时间记录,但它还包括与 UTC 的偏移量,因此可以轻松地将其转换回 UTC,而不会产生歧义。

  • 如果您使用的是 FAT 或 FAT32 文件系统,则使用本地时间记录磁盘上的时间,即写入文件时有效的时区。

    这会产生不明确的数据,因为您可能在夏令时回退过渡期间写入文件,或者您可能正在使用不同的时区设置或完全不同的计算机读取数据。

    这是格式化任何可能用作 exFAT 而不是 FAT32 的 USB 拇指驱动器或 SD 卡的好理由。

于 2014-04-18T16:14:04.247 回答