Reputation: 2443
I am searching how to format time including microseconds. I'm using class DateTime, it allowes (using properties) to get data till miliseconds, which is not enougth. I tried using Ticks, but I didn't know how to translate it to microseconds.
Upvotes: 59
Views: 111423
Reputation: 51
It's:
return DateTime.Now.ToString("HH:mm:ss.ffffff");
for the whole time stamp in format hours:minutes:seconds:microseconds
return DateTime.Now.ToString(".ffffff");
if you need only residual microseconds.
Upvotes: 4
Reputation: 1500105
You can use "ffffff"
in a format string to represent microseconds:
Console.WriteLine(DateTime.Now.ToString("HH:mm:ss.ffffff"));
To convert a number of ticks to microseconds, just use:
long microseconds = ticks / (TimeSpan.TicksPerMillisecond / 1000);
If these don't help you, please provide more information about exactly what you're trying to do.
EDIT: I originally multiplied ticks
by 1000 to avoid losing accuracy when dividing TimeSpan.TicksPerMillisecond
by 1000. However, It turns out that the TicksPerMillisecond
is actually a constant value of 10,000 - so you can divide by 1000 with no problem, and in fact we could just use:
const long TicksPerMicrosecond = 10;
...
long microseconds = ticks / TicksPerMicrosecond;
Upvotes: 108
Reputation: 339
I was unable to get Johns tick to micorosecond conversion to work. Here is how I was able to measure Microsecond and Nanosecond resolution by using ticks and the Stopwatch:
Stopwatch sw = new Stopwatch();
sw.Start();
// Do something you want to time
sw.Stop();
long microseconds = sw.ElapsedTicks / (Stopwatch.Frequency / (1000L*1000L));
long nanoseconds = sw.ElapsedTicks / (Stopwatch.Frequency / (1000L*1000L*1000L));
Console.WriteLine("Operation completed in: " + microseconds + " (us)");
Console.WriteLine("Operation completed in: " + nanoseconds + " (ns)");
Upvotes: 21
Reputation: 3711
"ffffff" is what you need.
return DateTime.Now.ToString("HH:mm:ss.ffffff");
Upvotes: 11