Both ChatGPT & Copilot have failed me. I am seeking to add padding to a time that gives me two digits for whole seconds and three digits for fractional seconds.
So, given $time
which is produced by
$timer = [Stopwatch]::StartNew()
$timer.Stop()
$time = $timer.Elapsed.TotalSeconds
AI suggests things like
$time = [Math]::Round($time, 3)
$time = "{0:000.000}" -f $time
When I try to use the resulting time like this
"$($time): $function"
I get a single 0 to the left of the decimal, and no trailing zeros added.
Where am I (and AI) going wrong?
Both ChatGPT & Copilot have failed me. I am seeking to add padding to a time that gives me two digits for whole seconds and three digits for fractional seconds.
So, given $time
which is produced by
$timer = [Stopwatch]::StartNew()
$timer.Stop()
$time = $timer.Elapsed.TotalSeconds
AI suggests things like
$time = [Math]::Round($time, 3)
$time = "{0:000.000}" -f $time
When I try to use the resulting time like this
"$($time): $function"
I get a single 0 to the left of the decimal, and no trailing zeros added.
Where am I (and AI) going wrong?
Share Improve this question asked 2 days ago GordonGordon 6,9158 gold badges49 silver badges121 bronze badges 8 | Show 3 more comments1 Answer
Reset to default 3Using the format string 00.000
is indeed correct, but since you're assigning the resulting string back to $time
(which appears to have a [double]
type attribute attached) it gets parsed and converted back to a [double]
immediately, which is why it suddenly renders as just 0
when you later use it in an expandable string.
Assign the output from the -f
operation to a variable that isn't [double]
-typed and it'll work just fine:
$timer = [Stopwatch]::StartNew()
$timer.Stop()
[double]$time = $timer.Elapsed.TotalSeconds
$timestamp = '{0:00.000}' -f $time
"${timestamp}: ... is how long it took"
TotalSeconds
value exceeds 100.0? – Mathias R. Jessen Commented 2 days ago"{0:00.000}" -f $time
is the correct solution (you can skipMath.Round
, formatter will take care of it for you) - perhaps you've typed$time
as a[decimal]
or[double]
somewhere earlier in the script? Another explanation could be that because you stop the timer almost immediately, the elapsed time is <5ms, which would indeed result in0.000
. Does it work as expected if you sleep + use a new variable? – Mathias R. Jessen Commented 2 days ago[Double]
, because($timer.Elapsed.TotalSeconds).GetType().Fullname)
said that's what the timer was providing. Do I need to work from a[DateTime]
instead? Or is there another approach I need when formatting a double? – Gordon Commented 2 days ago'{0:00.000}' -f $time
to some variable that isn't typed[double]
(appending to a[List[string]]
or[List[psobject]]
would work) – Mathias R. Jessen Commented 2 days ago