如何以毫秒精度准确地构造实际时间的时间戳?
我需要像16.4.2013 9:48:00:123这样的。这可能吗?我有一个应用程序,每秒对值进行10次采样,我需要在图形中显示它们。
如何以毫秒精度准确地构造实际时间的时间戳?
我需要像16.4.2013 9:48:00:123这样的。这可能吗?我有一个应用程序,每秒对值进行10次采样,我需要在图形中显示它们。
当前回答
尝试使用datetime.now.ticks。这提供了纳秒精度。取两个滴答(停止滴答-开始滴答)/10,000的增量为指定间隔的毫秒。
https://learn.microsoft.com/en-us/dotnet/api/system.datetime.ticks?view=netframework-4.7.2
其他回答
这应该可以工作:
DateTime.Now.ToString("hh.mm.ss.ffffff");
如果你不需要显示它,只需要知道时间差,那就不要把它转换成字符串。将其保留为DateTime.Now();
并使用TimeSpan来了解时间间隔之间的差异:
例子
DateTime start;
TimeSpan time;
start = DateTime.Now;
//Do something here
time = DateTime.Now - start;
label1.Text = String.Format("{0}.{1}", time.Seconds, time.Milliseconds.ToString().PadLeft(3, '0'));
如何以毫秒精度准确地构造实际时间的时间戳?
我猜你指的是毫秒精度。DateTime具有很高的精度,但在精度方面相当粗糙。一般来说,你不能。通常是系统时钟(也就是DateTime。现在从)获得数据,分辨率约为10-15毫秒。有关更多细节,请参阅Eric Lippert关于精度和准确性的博客文章。
如果您需要比这更精确的计时,您可能需要考虑使用NTP客户端。
然而,我们并不清楚这里是否真的需要毫秒精度。如果您不关心准确的时间-您只是想以正确的顺序显示样本,具有“相当好的”准确性,那么系统时钟应该是好的。我建议你使用DateTime。UtcNow而不是DateTime。现在,为了避免夏令时过渡的时区问题,等等。
如果你的问题实际上只是将DateTime转换为毫秒精度的字符串,我建议使用:
string timestamp = DateTime.UtcNow.ToString("yyyy-MM-dd HH:mm:ss.fff",
CultureInfo.InvariantCulture);
(注意,与你的样本不同,这是可分类的,不太可能引起关于“月/日/年”还是“日/月/年”的混淆。)
DateTime的问题。UtcNow和DateTime。现在,根据计算机和操作系统的不同,它可能只能精确到10到15毫秒之间。然而,在windows计算机上,可以使用低级函数GetSystemTimePreciseAsFileTime来获得微秒精度,请参阅下面的GetTimeStamp()函数。
[System.Security.SuppressUnmanagedCodeSecurity, System.Runtime.InteropServices.DllImport("kernel32.dll")]
static extern void GetSystemTimePreciseAsFileTime(out FileTime pFileTime);
[System.Runtime.InteropServices.StructLayout(System.Runtime.InteropServices.LayoutKind.Sequential)]
public struct FileTime {
public const long FILETIME_TO_DATETIMETICKS = 504911232000000000; // 146097 = days in 400 year Gregorian calendar cycle. 504911232000000000 = 4 * 146097 * 86400 * 1E7
public uint TimeLow; // least significant digits
public uint TimeHigh; // most sifnificant digits
public long TimeStamp_FileTimeTicks { get { return TimeHigh * 4294967296 + TimeLow; } } // ticks since 1-Jan-1601 (1 tick = 100 nanosecs). 4294967296 = 2^32
public DateTime dateTime { get { return new DateTime(TimeStamp_FileTimeTicks + FILETIME_TO_DATETIMETICKS); } }
}
public static DateTime GetTimeStamp() {
FileTime ft; GetSystemTimePreciseAsFileTime(out ft);
return ft.dateTime;
}
另一个选择是从源DateTime值构造一个新的DateTime实例:
// current date and time
var now = DateTime.Now;
// modified date and time with millisecond accuracy
var msec = new DateTime(now.Year, now.Month, now.Day, now.Hour, now.Minute, now.Second, now.Millisecond, now.Kind);
不需要做任何到字符串和从字符串的转换,而且它的代码也非常容易理解和可读性强。
如果你仍然想要一个日期而不是像其他答案一样的字符串,只需添加这个扩展方法。
public static DateTime ToMillisecondPrecision(this DateTime d) {
return new DateTime(d.Year, d.Month, d.Day, d.Hour, d.Minute,
d.Second, d.Millisecond, d.Kind);
}