Timing a command's execution in PowerShell
Is there a simple way to time the execution of a command in PowerShell, like the 'time' command in Linux?
I came up with this:
$s=Get-Date; .\do_something.ps1 ; $e=Get-Date; ($e - $s).TotalSeconds
But I would like something simpler like
time .\do_something.ps1
Solution 1:
Yup.
Measure-Command { .\do_something.ps1 }
Note that one minor downside of Measure-Command
is that you see no stdout
output.
[Update, thanks to @JasonMArcher] You can fix that by piping the command output to some commandlet that writes to the host, e.g. Out-Default
so it becomes:
Measure-Command { .\do_something.ps1 | Out-Default }
Another way to see the output would be to use the .NET Stopwatch
class like this:
$sw = [Diagnostics.Stopwatch]::StartNew()
.\do_something.ps1
$sw.Stop()
$sw.Elapsed
Solution 2:
You can also get the last command from history and subtract its EndExecutionTime
from its StartExecutionTime
.
.\do_something.ps1
$command = Get-History -Count 1
$command.EndExecutionTime - $command.StartExecutionTime
Solution 3:
Use Measure-Command
Example
Measure-Command { <your command here> | Out-Host }
The pipe to Out-Host
allows you to see the output of the command, which is
otherwise consumed by Measure-Command
.
Solution 4:
Simples
function time($block) {
$sw = [Diagnostics.Stopwatch]::StartNew()
&$block
$sw.Stop()
$sw.Elapsed
}
then can use as
time { .\some_command }
You may want to tweak the output